diff --git a/package.json b/package.json
index 8d6eeda1f3..85b9de2ec0 100644
--- a/package.json
+++ b/package.json
@@ -4,7 +4,7 @@
"private": true,
"scripts": {
"build": "next build",
- "dev": "next dev",
+ "dev": "next dev && node src/sitemap.ts",
"lint": "eslint . --ext .ts --ext .tsx",
"lint:fix": "eslint . --ext .ts --ext .tsx --fix",
"start": "next start",
diff --git a/pages/api/generate-sitemap.ts b/pages/api/generate-sitemap.ts
new file mode 100644
index 0000000000..9d2ec7fc99
--- /dev/null
+++ b/pages/api/generate-sitemap.ts
@@ -0,0 +1,268 @@
+import fs from 'fs';
+import path from 'path';
+import { NextApiRequest, NextApiResponse } from 'next';
+import { User } from '@sentry/types';
+import config from '@/configuration';
+import { initializeApollo } from '@/apollo/apolloClient';
+import { OPTIONS_HOME_PROJECTS } from '@/apollo/gql/gqlOptions';
+import { FETCH_ALL_PROJECTS } from '@/apollo/gql/gqlProjects';
+import { EProjectsSortBy } from '@/apollo/types/gqlEnums';
+import { getMainCategorySlug } from '@/helpers/projects';
+import { escapeXml } from '@/helpers/xml';
+import { IProject, IQFRound } from '@/apollo/types/types';
+import { FETCH_QF_ROUNDS_QUERY } from '@/apollo/gql/gqlQF';
+import { FETCH_ALL_USERS_BASIC_DATA } from '@/apollo/gql/gqlUser';
+import { addressToUserView } from '@/lib/routeCreators';
+import { shortenAddress } from '@/lib/helpers';
+
+const URL = config.FRONTEND_LINK;
+
+function generateProjectsSiteMap(projects: IProject[]) {
+ return `
+
+ ${projects
+ .map(
+ ({
+ slug,
+ title = '',
+ descriptionSummary = '',
+ }: {
+ slug: string;
+ title?: string;
+ descriptionSummary?: string;
+ }) => {
+ return `
+
+ ${`${URL}/project/${slug}`}
+ ${escapeXml(title)}
+ ${escapeXml(descriptionSummary)}
+
+ `;
+ },
+ )
+ .join('')}
+ `;
+}
+
+function generateQFRoundsSiteMap(rounds: IQFRound[]) {
+ return `
+
+ ${rounds
+ .map(
+ ({
+ slug,
+ name = '',
+ description = '',
+ }: {
+ slug: string;
+ name?: string;
+ description?: string;
+ }) => {
+ // Default to empty strings if any field is null
+ const safeSlug = slug || '';
+ const safeName = name || '';
+ const safeDescription = description || '';
+
+ return `
+
+ ${`${URL}/qf-archive/${safeSlug}`}
+ ${escapeXml(safeName)}
+ ${escapeXml(safeDescription)}
+
+ `;
+ },
+ )
+ .join('')}
+ `;
+}
+
+// Function to generate the XML sitemap for users
+function generateUsersSiteMap(users: User[]) {
+ return `
+
+ ${users
+ .filter(({ walletAddress }) => walletAddress !== null)
+ .map(({ name = '', walletAddress = '' }) => {
+ const userUrl =
+ addressToUserView(walletAddress.toLowerCase()) || '';
+
+ const safeName = escapeXml(
+ name ||
+ shortenAddress(walletAddress.toLowerCase()) ||
+ '\u200C',
+ );
+
+ return `
+
+ ${`${URL}${userUrl}`}
+ ${safeName}
+
+ `;
+ })
+ .join('')}
+ `;
+}
+
+export default async function handler(
+ req: NextApiRequest,
+ res: NextApiResponse,
+) {
+ const authHeader = req.headers['authorization'];
+
+ // Only allow GET requests
+ if (req.method !== 'GET') {
+ return res.status(405).end();
+ }
+
+ if (authHeader !== `Bearer ${process.env.SITEMAP_CRON_SECRET}`) {
+ return res.status(405).end();
+ }
+
+ try {
+ /* PROJECT SITEMAP */
+
+ // Get first project data
+ const projectData = await getProjects(0);
+
+ const projects: IProject[] = projectData.allProjects?.projects || [];
+
+ if (projectData.allProjects.totalCount > 50) {
+ for (let i = 50; i < projectData.allProjects.totalCount; i += 50) {
+ const fetchNewProjectData = await getProjects(i);
+ projects.push(...fetchNewProjectData.allProjects?.projects);
+ }
+ }
+
+ // Generate XML content
+ const sitemapContent = generateProjectsSiteMap(projects);
+
+ // Define the file path
+ const filePath = path.join(
+ process.cwd(),
+ 'public',
+ 'sitemap',
+ 'projects-sitemap.xml',
+ );
+
+ // Write the XML content to the file
+ await fs.promises.writeFile(filePath, sitemapContent, 'utf-8');
+
+ /* QF ARCHIVED ROUNDS SITEMAP */
+
+ // Get first project data
+ const roundsData = await getArchivedRounds();
+
+ // // Generate XML content
+ const sitemapRoundsContent = generateQFRoundsSiteMap(roundsData);
+
+ // Define the file path
+ const filePathQFRounds = path.join(
+ process.cwd(),
+ 'public',
+ 'sitemap',
+ 'qf-sitemap.xml',
+ );
+
+ // // Write the XML content to the file
+ await fs.promises.writeFile(
+ filePathQFRounds,
+ sitemapRoundsContent,
+ 'utf-8',
+ );
+
+ /* USER SITEMAP */
+
+ // Fetch user data
+ const users = await getUsers(0);
+ const userTotalCount = users.totalCount;
+ const userEntries = [...users.users];
+
+ // Fetch remaining users if necessary
+ if (userTotalCount > 50) {
+ for (let i = 50; i < userTotalCount; i += 50) {
+ const nextBatch = await getUsers(i);
+ userEntries.push(...nextBatch.users);
+ }
+ }
+
+ // Generate XML content for users
+ const sitemapUsersContent = generateUsersSiteMap(userEntries);
+
+ // Define the file path for users sitemap
+ const filePathUsers = path.join(
+ process.cwd(),
+ 'public',
+ 'sitemap',
+ 'users-sitemap.xml',
+ );
+
+ // Write the XML content to the file
+ await fs.promises.writeFile(
+ filePathUsers,
+ sitemapUsersContent,
+ 'utf-8',
+ );
+
+ // Respond with success
+ res.status(200).json({
+ message: 'Sitemap generated and saved successfully',
+ });
+ } catch (error) {
+ console.error('Error generating or saving sitemap:', error);
+ res.status(500).json({ error: 'Failed to generate sitemap' });
+ }
+}
+
+// Fetch project data from GraphQL
+async function getProjects(skip: number) {
+ const apolloClient = initializeApollo();
+ const slug = 'all';
+ const { variables, notifyOnNetworkStatusChange } = OPTIONS_HOME_PROJECTS;
+
+ const { data } = await apolloClient.query({
+ query: FETCH_ALL_PROJECTS,
+ variables: {
+ ...variables,
+ limit: 50,
+ skip: skip,
+ sortingBy: EProjectsSortBy.INSTANT_BOOSTING,
+ mainCategory: getMainCategorySlug({ slug }),
+ notifyOnNetworkStatusChange,
+ },
+ fetchPolicy: 'no-cache',
+ });
+
+ return data;
+}
+
+// Fetch qf archived rounds data from GraphQL
+async function getArchivedRounds() {
+ const apolloClient = initializeApollo();
+
+ const { data } = await apolloClient.query({
+ query: FETCH_QF_ROUNDS_QUERY,
+ });
+
+ return data.qfRounds || [];
+}
+
+// Fetch user data from GraphQL
+async function getUsers(skip: number) {
+ const apolloClient = initializeApollo();
+
+ console.log('GraphQL Query:', FETCH_ALL_USERS_BASIC_DATA);
+ console.log('Variables:', { limit: 50, skip: skip });
+
+ const { data } = await apolloClient.query({
+ query: FETCH_ALL_USERS_BASIC_DATA, // Query for user data
+ variables: {
+ limit: 50,
+ skip: skip,
+ },
+ fetchPolicy: 'no-cache',
+ });
+
+ console.log({ data });
+
+ return data.allUsersBasicData || { users: [], totalCount: 0 };
+}
diff --git a/pages/qf-archive/index.tsx b/pages/qf-archive/index.tsx
index 7c1a81cc35..2bc117b4e8 100644
--- a/pages/qf-archive/index.tsx
+++ b/pages/qf-archive/index.tsx
@@ -1,18 +1,12 @@
import { GeneralMetatags } from '@/components/Metatag';
import { ArchivedQFRoundsView } from '@/components/views/archivedQFRounds/ArchivedQFRounds.view';
import { ArchivedQFRoundsProvider } from '@/components/views/archivedQFRounds/archivedQfRounds.context';
+import { archivedQFRoundsMetaTags } from '@/content/metatags';
const ArchivedQFPageRoute = () => {
return (
<>
-
+
diff --git a/pages/sitemap.xml.ts b/pages/sitemap.xml.ts
new file mode 100644
index 0000000000..fa3b2b3885
--- /dev/null
+++ b/pages/sitemap.xml.ts
@@ -0,0 +1,168 @@
+import { GetServerSidePropsContext } from 'next';
+
+import config from '@/configuration';
+import {
+ homeMetatags,
+ projectsMetatags,
+ giveconomyMetatags,
+ givpowerMetatags,
+ givfarmMetatags,
+ aboutMetatags,
+ givstreamMetatags,
+ givbacksMetatags,
+ supportMetatags,
+ partnershipMetatags,
+ joinMetatags,
+ faqMetatags,
+ createProjectMetatags,
+ claimMetatags,
+ nftMetatags,
+ generalOnboardingMetaTags,
+ projectOnboardingMetaTags,
+ donorOnboardingMetaTags,
+ giveconomyOnboardingMetaTags,
+ archivedQFRoundsMetaTags,
+} from '@/content/metatags';
+import { escapeXml } from '@/helpers/xml';
+
+const URL = config.FRONTEND_LINK;
+
+function generateSiteMap() {
+ return `
+
+
+ ${URL}
+ ${escapeXml(homeMetatags.title)}
+ ${escapeXml(homeMetatags.desc)}
+
+
+ ${URL}/projects/all
+ ${escapeXml(projectsMetatags.title)}
+ ${escapeXml(projectsMetatags.desc)}
+
+
+ ${URL}/giveconomy
+ ${escapeXml(giveconomyMetatags.title)}
+ ${escapeXml(giveconomyMetatags.desc)}
+
+
+ ${URL}/givpower
+ ${escapeXml(givpowerMetatags.title)}
+ ${escapeXml(givpowerMetatags.desc)}
+
+
+ ${URL}/givfarm
+ ${escapeXml(givfarmMetatags.title)}
+ ${escapeXml(givfarmMetatags.desc)}
+
+
+ ${URL}/about
+ ${escapeXml(aboutMetatags.title)}
+ ${escapeXml(aboutMetatags.desc)}
+
+
+ ${URL}/about
+ ${escapeXml(aboutMetatags.title)}
+ ${escapeXml(aboutMetatags.desc)}
+
+
+ ${URL}/givstream
+ ${escapeXml(givstreamMetatags.title)}
+ ${escapeXml(givstreamMetatags.desc)}
+
+
+ ${URL}/givbacks
+ ${escapeXml(givbacksMetatags.title)}
+ ${escapeXml(givbacksMetatags.desc)}
+
+
+ ${URL}/support
+ ${escapeXml(supportMetatags.title)}
+ ${escapeXml(supportMetatags.desc)}
+
+
+ ${URL}/partnerships
+ ${escapeXml(partnershipMetatags.title)}
+ ${escapeXml(partnershipMetatags.desc)}
+
+
+ ${URL}/join
+ ${escapeXml(joinMetatags.title)}
+ ${escapeXml(joinMetatags.desc)}
+
+
+ ${URL}/faq
+ ${escapeXml(faqMetatags.title)}
+ ${escapeXml(faqMetatags.desc)}
+
+
+ ${URL}/create
+ ${escapeXml(createProjectMetatags.title)}
+ ${escapeXml(createProjectMetatags.desc)}
+
+
+ ${URL}/claim
+ ${escapeXml(claimMetatags.title)}
+ ${escapeXml(claimMetatags.desc)}
+
+
+ ${URL}/nft
+ ${escapeXml(nftMetatags.title)}
+ ${escapeXml(nftMetatags.desc)}
+
+
+ ${URL}/onboarding
+ ${escapeXml(generalOnboardingMetaTags.title)}
+ ${escapeXml(generalOnboardingMetaTags.desc)}
+
+
+ ${URL}/onboarding/projects
+ ${escapeXml(projectOnboardingMetaTags.title)}
+ ${escapeXml(projectOnboardingMetaTags.desc)}
+
+
+ ${URL}/donors/projects
+ ${escapeXml(donorOnboardingMetaTags.title)}
+ ${escapeXml(donorOnboardingMetaTags.desc)}
+
+
+ ${URL}/donors/giveconomy
+ ${escapeXml(giveconomyOnboardingMetaTags.title)}
+ ${escapeXml(giveconomyOnboardingMetaTags.desc)}
+
+
+ ${URL}/qf-archive
+ ${escapeXml(archivedQFRoundsMetaTags.title)}
+ ${escapeXml(archivedQFRoundsMetaTags.desc)}
+
+
+ ${URL}/sitemap/projects-sitemap.xml
+ ${new Date().toISOString()}
+
+
+ ${URL}/sitemap/qf-sitemap.xml
+ ${new Date().toISOString()}
+
+
+ ${URL}/sitemap/users-sitemap.xml
+ ${new Date().toISOString()}
+
+
+ `;
+}
+
+// Generate the XML sitemap with the blog data
+export async function getServerSideProps({ res }: GetServerSidePropsContext) {
+ const sitemap = generateSiteMap();
+
+ // Send the XML to the browser
+ res.setHeader('Content-Type', 'text/xml');
+ res.write(sitemap);
+ res.end();
+
+ return {
+ props: {},
+ };
+}
+
+export default function SiteMap() {}
diff --git a/public/sitemap/projects-sitemap.xml b/public/sitemap/projects-sitemap.xml
new file mode 100644
index 0000000000..45711cd0c8
--- /dev/null
+++ b/public/sitemap/projects-sitemap.xml
@@ -0,0 +1,28214 @@
+
+
+
+
+ https://staging.giveth.io/project/giveth-tour-bridge-the-world
+ Giveth Tour Bridge the World
+ WHO?
+WHAT?
+WHY?
+WHERE?
+HOW?
+WHEN?
+Me.
+Introduce Giveth to Czech and European centralized community.
+Because everybody has a right to have access to free education and learn about
+crypto philantropy.
+Several Czech Conferences, Charities.
+I get in touch with the right people.
+This year!
+
+
+
+ https://staging.giveth.io/project/a-delicious-help
+ A delicious help!
+ SOS!
+
+
+
+ https://staging.giveth.io/project/how-many-photos-is-too-many-photos
+ How many photos is too many photos?
+ I AM TESTING THE LIMITS OF PROJECT DESCRIPTION BY MAKING A JUNKY PROJECT WITH A
+BUNCH OF RANDOM PHOTOS THAT ARE CURRENTLY CLUTTERING MY DESKTOP
+
+
+
+ https://staging.giveth.io/project/herbs-and-drugs-and-tools-to-combat-sleepiness
+ Herbs and Drugs and Tools to Combat Sleepiness
+ THE NOVELTY OF RICH TEXT HAS SADLY WORE OFF
+BUT I CAN STILL TRY TO CAUSE TROUBLE WITH GREY-AREA PROJECTS
+like this one... I mean... it has "drugs" in the title... but is that really a
+violation? I'm raising money to develop drugs to help sleepy people... is that
+so bad
+is it any different really ...
+
+
+
+ https://staging.giveth.io/project/provide-stable-internet-for-all-the-world-0
+ Provide Stable Internet for all the world
+ In today's interconnected world, access to reliable and fast internet is no
+longer a luxury but a necessity. The "Provide Stable Internet for All the World"
+project is an ambitious initiative aimed at bridging the digital divide and
+ensuring that every person on the planet has access to stable, h...
+
+
+
+ https://staging.giveth.io/project/teach-music-to-children
+ Teach music to Children
+ We are an organization that helps children play music
+
+
+
+ https://staging.giveth.io/project/boulder-jcc
+ Boulder JCC
+ The Boulder Jewish Community Center’s [Boulder JCC] mission is to provide
+programs and services based in Jewish values and traditions in a place where
+people of all ages and backgrounds gather to connect, exchange ideas, learn, and
+grow together.
+
+
+
+ https://staging.giveth.io/project/do-it-now
+ Do it NOW!
+ mashrajab
+
+
+
+ https://staging.giveth.io/project/project-with-celo-address
+ Project with celo address
+ daslkfjdslfjsdlkfjdsljfdlskjfldskjfldsjfladks;
+
+
+
+ https://staging.giveth.io/project/harpers-playground
+ Harper's Playground
+ Harper’s Playground inspires vital communities by creating inviting playgrounds
+for people of all abilities. We envision a more inclusive world, one playground
+at a time.
+
+
+
+ https://staging.giveth.io/project/boys-and-girls-club-of-greater-lowell
+ Boys & Girls Club of Greater Lowell
+ Our mission is to inspire and enable young people, especially those who need us
+most, to realize their full potential as productive, responsible and caring
+citizens. Our vision is to end generational poverty in Lowell.
+
+
+
+ https://staging.giveth.io/project/cascades-raptor-center
+ Cascades Raptor Center
+ Through wildlife rehabilitation and public education, the Cascades Raptor Center
+fosters a connection between people and birds of prey. Our goal is to help the
+human part of the natural community learn to value, understand, and honor the
+role of wildlife in our shared world.
+
+
+
+ https://staging.giveth.io/project/mejan
+ mejan
+ TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/test-adminuser-admin
+ test adminUser admin
+ 0x8D098546F8CA720567DBB0E71c191f93D07e7D5d
+
+
+
+ https://staging.giveth.io/project/thousand-currents
+ Thousand Currents
+ Thousand Currents envisions a world where humanity is in a reciprocal and
+interdependent relationship with nature and creates loving, equitable, and just
+societies. We leverage relationships, and financial and intellectual resources
+worldwide, with and in support of grassroots groups and social m...
+
+
+
+ https://staging.giveth.io/project/so-boring
+ SO BORING
+ I'm trying to make this boring.
+I AM RESISTING THE URGE TO PLAY A LOT WITH RICH TEXT
+even though it's RIGHT HERE just begging to be explored
+> I am trying not to satisfy my need for artistic exploration and poetry by
+> using creative formatting
+I hope you feel like this
+because I do
+
+
+
+ https://staging.giveth.io/project/testnominbar
+ testNominbar
+ testttt
+
+
+
+ https://staging.giveth.io/project/Music-I'm-Listening-to-Now
+ Music I'm Listening to Now
+ A sweet, pretty one with a cute animated video:
+This song makes me want to jump all around and dance:
+Just love his curly hair and the overall pumped up "we're movin' on" vibe:
+A classic hit that remind ma girl Ashley of times in the past:
+oh this one just came on next and I love it:
+
+
+
+ https://staging.giveth.io/project/high-desert-museum
+ High Desert Museum
+ The High Desert Museum in Bend, Oregon is the only institution in the nation
+dedicated to the exploration of the High Desert region. Through art, cultures,
+history, wildlife and science, it tells the stories of the 11-state
+Intermountain West.
+
+
+
+ https://staging.giveth.io/project/alireza-test-2-0
+ Alireza Test 2
+ Testing create project
+
+
+
+ https://staging.giveth.io/project/testcenterrr09
+ testcenterrr09
+ testtt
+
+
+
+ https://staging.giveth.io/project/testupdate1000
+ testupdate1000
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/the-foundation-for-living-beauty
+ The Foundation for Living Beauty
+ The Foundation for Living Beauty aims to educate, uplift and empower women with
+cancer by providing them with opportunities to explore wellness and healing
+modalities while also developing a sense of community with other women along the
+same path.
+
+
+
+ https://staging.giveth.io/project/testhomepage
+ testhomepage
+ test
+
+
+
+ https://staging.giveth.io/project/red-bucket-equine-rescue
+ Red Bucket Equine Rescue
+ Red Bucket Equine Rescue
+
+
+
+ https://staging.giveth.io/project/ce-clean-energy-bright-futures
+ CE - Clean Energy. Bright Futures.
+ CE provides integrated, grid-based energy education to advance energy literacy
+and STEM/CTE education across the nation in partnership with utilities, school
+districts, STEM organizations, Tribes, corporations, renewable energy
+developers, and philanthropic organizations. We work to transform edu...
+
+
+
+ https://staging.giveth.io/project/testsafe06
+ testsafe06
+ test
+
+
+
+ https://staging.giveth.io/project/test-issue-173
+ test issue 173
+ dkljdlksajdlkasjdlksajdlas
+
+
+
+ https://staging.giveth.io/project/zoe-empowers
+ Zoe Empowers
+ We empower orphaned children and vulnerable youth to overcome life threatening
+poverty, move beyond charity and experience the fullness of life.
+
+
+
+ https://staging.giveth.io/project/the-discalced-hermits-of-our-lady-of-mount-carmel
+ The Discalced Hermits of Our Lady of Mount Carmel
+ The Hermits of Our Lady of Mount Carmel is a Roman Catholic religious order
+observing the ancient Carmelite charism as it was lived on Mount Carmel and in
+the Discalced Carmelite Holy Deserts.
+
+
+
+ https://staging.giveth.io/project/keep-a-breast-foundation
+ Keep A Breast Foundation
+ Our mission is to reduce breast cancer risk and its impact globally through art,
+education, prevention, and action.
+
+
+
+ https://staging.giveth.io/project/ymca-of-the-suncoast
+ YMCA of the Suncoast
+ We put Christian principles into practice through programs that build healthy
+spirit, mind and body for all. The YMCA of the Suncoast in an integral part of
+the community. From families to seniors, young kids to teens, all belong at the
+Y where everyone has the chance to grow, develop and thrive....
+
+
+
+ https://staging.giveth.io/project/testremove
+ testremove
+ test
+
+
+
+ https://staging.giveth.io/project/testsola01
+ testsola01
+ testt
+
+
+
+ https://staging.giveth.io/project/testtt-duplicate
+ testtt duplicate
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/sample-project
+ Sample Project
+ Testing
+
+
+
+ https://staging.giveth.io/project/finding-new-title
+ change the title back now
+ this description was changed on giveth trace, will it show up on io?
+We'll be using funds to feed homeless people across our small town of
+Givethsville, Ontario. We'll be handing out food packages every Sunday via teams
+of volunteers
+Learn more about my project on www.givethsville.com
+also visit ...
+
+
+
+ https://staging.giveth.io/project/testmatic2020
+ testmatic2020
+ test
+
+
+
+ https://staging.giveth.io/project/metesta
+ metesta
+ test
+
+
+
+ https://staging.giveth.io/project/testsolana
+ testsolana
+ TESTATELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIONTELL US ABOUT YOUR
+PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIONTELL US ABOUT YOUR
+PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIONTELL US ABOUT YO...
+
+
+
+ https://staging.giveth.io/project/yestttttt
+ Yestttttt
+ testttt
+
+
+
+ https://staging.giveth.io/project/greater-vancouver-food-bank
+ Greater Vancouver Food Bank
+ Providing healthy food to those in need.
+
+
+
+ https://staging.giveth.io/project/wonder-foundation
+ WONDER Foundation
+ WONDER Foundation is dedicated to empowering women and girls through quality
+education and access to good work, so they can exit poverty for good. We are
+working with women-led, local NGOs in 19 countries around the world (Latin
+America, Africa, Asia, and Europe) towards our overarching aim of a ...
+
+
+
+ https://staging.giveth.io/project/the-foundation-for-enhancing-communities
+ The Foundation for Enhancing Communities
+ Inspire giving by partnering with donors to achieve their charitable goals, and
+strengthen our local communities by investing in them now and for future
+generations.
+
+
+
+ https://staging.giveth.io/project/aquanauts-adaptive-aquatics
+ Aquanauts Adaptive Aquatics
+ Our mission is to provide the adaptive sport of SCUBA Diving for the benefit of
+military veterans, people living with disabilities, and other special needs
+groups for the purposes of social interaction, life enrichment, and wellness.
+
+
+
+ https://staging.giveth.io/project/test-image-type
+ Test Image Type
+ We gonna test svg type.
+
+
+
+ https://staging.giveth.io/project/test-ortto-publish-updated
+ test ortto publish updated
+ CREATE A PROJECT
+0
+Ramin
+Connected to Gnosis
+CREATE A PROJECT
+Project Name18/55
+asdaw dasd a
+a d
+a
+d
+ad
+a
+da
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PL...
+
+
+
+ https://staging.giveth.io/project/syngap-research-fund-srf
+ SynGAP Research Fund (SRF)
+ The mission of SRF is to support the research and development of treatments,
+therapies and support systems for SynGAP1 patients worldwide. SynGAP patients
+suffer from Epilepsy, Autism, Intellectual Disability, Motor challenges and
+sleep issues. They require around the clock care. Our mantra is: C...
+
+
+
+ https://staging.giveth.io/project/jm
+ JM
+ Before you go into detail about the contents of the manifest file, you need to
+install the Graph CLI which you will need to build and deploy a subgraph.
+Before you go into detail about the contents of the manifest file, you need to
+install the Graph CLI which you will need to build and deploy a s...
+
+
+
+ https://staging.giveth.io/project/the-catholic-foundation-of-greater-philadelphia
+ The Catholic Foundation of Greater Philadelphia
+ The Catholic Foundation of Greater Philadelphia (CFGP) is an independent,
+nonprofit community foundation committed to growing philanthropy according to
+the teachings of Jesus Christ. Grounded in the principles of faith and service,
+CFGP meets the diverse needs of donors and Catholic institutions ...
+
+
+
+ https://staging.giveth.io/project/test-social-media
+ test social media
+ CREATE A PROJECT
+Ramin stag
+Connected to Polygon
+CREATE A PROJECT
+Project Name17/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+Y...
+
+
+
+ https://staging.giveth.io/project/primate-rescue-center
+ Primate Rescue Center
+ The Primate Rescue Center (PRC) is a sanctuary home to nearly 45 monkeys and
+apes. The PRC is committed to the lifetime care of these individuals rescued
+from biomedical research and the pet trade. We provide highly individualized
+care, including healthy diets, comprehensive medical care, comfort...
+
+
+
+ https://staging.giveth.io/project/tests
+ $tests*=><
+
+
+
+
+ https://staging.giveth.io/project/1000-dreams-fund-0
+ 1000 Dreams Fund
+ TO SUPPORT DREAMS OF TALENTED YOUNG WOMEN IN NEED BY PROVIDING ACCESS TO
+CRITICAL FUNDING, RESOURCES AND MEANINGFUL MENTOR RELATIONSHIPS.
+
+
+
+ https://staging.giveth.io/project/idriss-test03
+ IDriss test03
+ test
+
+
+
+ https://staging.giveth.io/project/testmultisession89007
+ testmultisession89007
+ testmultisession
+
+
+
+ https://staging.giveth.io/project/testaaab
+ testaaab
+
+
+
+
+ https://staging.giveth.io/project/testss101
+ testss101
+ testt
+
+
+
+ https://staging.giveth.io/project/test-unimported-2
+ test unimported 2
+ CREATE A NEW PROJECT
+Cancel
+PROJECT NAME
+DESCRIPTION
+CATEGORY
+IMPACT
+IMAGE
+ETH ADDRESS
+What is your project about?How To Write A Great Project Description
+NEXT
+Back
+/create
+
+
+
+ https://staging.giveth.io/project/1223-0
+ 1223
+ d r tge fd sf fds
+
+
+
+ https://staging.giveth.io/project/testnotifsol
+ testnotifsol
+ test
+
+
+
+ https://staging.giveth.io/project/projects-with-same-slug-3
+ projects with same slug 3
+ +
+CREATE A PROJECT
+Project Name
+25/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+You can choose up to 5 categori...
+
+
+
+ https://staging.giveth.io/project/projects-with-same-slug-4
+ projects with same slug 4
+ +
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+You can choose up to 5 categories...
+
+
+
+ https://staging.giveth.io/project/0x11d9f38190a80bfc2380c24cc2ee1ae7a825c4ff
+ 0x11D9F38190a80bfC2380C24cc2Ee1ae7a825c4fF
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0xd0797eb75239c8e7accd2f96312b0c76b6e18cb6
+ 0xD0797eB75239c8e7ACCD2f96312b0C76B6e18cb6
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0x89770cc4fd4be412ab24cca9ad3dea48bc72a9d1
+ 0x89770cC4fD4Be412Ab24CCa9ad3DeA48bc72a9d1
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0x89770cc4fd4be412ab24cca9ad3dea48bc72a9d1-1
+ 0x89770cC4fD4Be412Ab24CCa9ad3DeA48bc72a9d1
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0x46c12c3c3006cbc6156e188ee235ae8a20dc28e7
+ 0x46C12C3c3006CbC6156e188ee235Ae8a20Dc28e7
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0x0cd6140d6ff4d901c31b83a3b2980c5700cf013f
+ 0x0CD6140d6ff4D901C31b83A3B2980C5700cF013f
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/0x0cd6140d6ff4d901c31b83a3b2980c5700cf013f-1
+ 0x0CD6140d6ff4D901C31b83A3B2980C5700cF013f
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name42/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/testprofile
+ testprofile
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/asdada
+ asdada
+ CREATE A PROJECT
+Ramin sec222
+Connected to Polygon
+CREATE A PROJECT
+Project Name6/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+...
+
+
+
+ https://staging.giveth.io/project/test-social
+ test social
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to OP Sepolia
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIA...
+
+
+
+ https://staging.giveth.io/project/testname
+ testName
+ TETSTELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABO...
+
+
+
+ https://staging.giveth.io/project/testopgoerli2
+ testopgoerli2
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/1231231
+ 1231231
+
+
+
+
+ https://staging.giveth.io/project/idriss-test02
+ IDriss test02
+ test
+
+
+
+ https://staging.giveth.io/project/first-solana-project
+ First Solana project
+ My First Solana project
+CREATE A PROJECT
+ram solana
+Connected to Solana
+CREATE A PROJECT
+Project Name20/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+My First Solana project
+23 / 1200
+Describe your project with at least 1200 chara...
+
+
+
+ https://staging.giveth.io/project/asdad
+ asdad
+ Homen see your project in this view
+Eligible for Matching
+TEST POLYGON CATS
+RAMIN
+Estimated matching
+Contribution
+Matching
+1 DAI
++ 20000 DAI
+10 DAI
++ 20000 DAI
+100 DAI
++ 20000 DAI
+How it works?
+Donations made on Polygon are eligible to be matched.
+Project status
+Active
+Listing
+Listed
+Verificati...
+
+
+
+ https://staging.giveth.io/project/electronic-frontier-foundation
+ Electronic Frontier Foundation
+ See schedule oelectronic frontier foundation, inc. ("Eff") was formed for the
+purpose of understanding and fostering the opportunities of digital
+communication in a free and open society.
+
+
+
+ https://staging.giveth.io/project/test1124
+ test1124
+ test
+
+
+
+ https://staging.giveth.io/project/testverification
+ testverification
+ test
+
+
+
+ https://staging.giveth.io/project/projects-with-same-slug
+ projects with same slug
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name23/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/notiftesta
+ Notiftesta
+ test
+
+
+
+ https://staging.giveth.io/project/safeaccount6
+ Safeaccount6
+ test
+
+
+
+ https://staging.giveth.io/project/projects-with-same-slug-2
+ projects with same slug 2
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Gnosis
+CREATE A PROJECT
+Project Name23/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/testijaf
+ testijaf
+ my project is about test ..
+
+
+
+ https://staging.giveth.io/project/ASOCIATIA-PENTRU-EDUCATIE-SV-OLTENIA-(EDUCOL)
+ ASOCIATIA PENTRU EDUCATIE SV OLTENIA (EDUCOL)
+ ASSOCIATION FOR EDUCATION OF SW OLTENIA has established the following goals:<br> a) to maximise the opportunities for training and exploitation of the human resource in the SW Oltenia region;<br> b) to foster the young generation (school-based students, university students, etc.) grow-orientation with a view to labour market insertion;<br> c) to interconnect pre-university education and higher education so as to map the market;<br> d) to develop training modules for professional re-skilling;<br> e) to build the partnership between academia and the business environment;<br> f) to reinforce the active role played by universities into the socio-economic life of the region;<br> g) to support and promote the professional, social, economic and cultural relations through the implementation of European values to the civic society;<br> h) to inform and support the vulnerable community members at the local and regional levels;<br> i) to develop and implement projects and programmes of professional counselling, social, educational and cultural development, professional training, etc.;<br> j) to establish a framework for the exchange of experience, opinions, know how, as well as for problem-solving with respect to topical issues in SW Oltenia;<br> k) to defend the interest of the members of the ASSOCIATION FOR EDUCATION SW OF OLTENIA with a view to carrying out its activities projects;<br> l) to adequately support and promote the professional, social, cultural and material interests of all the targeted population at the regional level of SW Oltenia (school- based students, university students, young people, the elderly, etc.).
+
+
+
+ https://staging.giveth.io/project/Maitri-India
+ Maitri India
+ Mission: Promote primary health, education and restore human rights to empower Indias most vulnerable populations.<br>Maitri defends human rights and strengthens communities through individual and community empowerment with advocacy, education, community-based program development, and networking. We work with Destitute Widows, Members of uniformed services and their families, Migrant workers and their families, Survivors of domestic violence, Underprivileged children, HIV/AIDS affected people.
+
+
+
+ https://staging.giveth.io/project/Corporacion-Superarse
+ Corporacion Superarse
+ we protect poor children who have their rights violated (mistreat, malnourishment, abuse, neglect, among others) and with children who are exposed to situations of high social and psychological risks.<br>In Superarse, we are promoters and guarantors of the rights of the child. We are committed with the protection of children and adolescents, supported in a model of personalization of our services and sustainability, contributing to the construction of individual and familiar life projects.
+
+
+
+ https://staging.giveth.io/project/Orbis-International
+ Orbis International
+ Orbis transforms lives through the treatment and prevention of blindness and visual impairment. With our network of partners we mentor, train, and inspire local teams to fight blindness in their communities. We believe that no one should live a life of unnecessary blindness simply because of where they were born.
+
+
+
+ https://staging.giveth.io/project/Krebsforschung-Schweiz-Swiss-Cancer-Research
+ Krebsforschung Schweiz Swiss Cancer Research
+ In existence since 1990, the Swiss Cancer Research foundation, with the help of donations, provides funding for all areas of cancer research: basic, clinical, epidemiologic, and psychosocial research. A special focus is the funding of patient-centred research projects that result as far as possible in direct patient benefit. The SCR foundation board is responsible for distributing the funds to researchers. The boards funding decisions are based on the recommendations made by the Scientific Committee, which reviews the grant applications according to clearly defined criteria. The SCR also supports the development and implementation of measures to fight cancer in Switzerland.
+
+
+
+ https://staging.giveth.io/project/Guardian-Group
+ Guardian Group
+ Guardian Group’s mission is to prevent and disrupt the sex trafficking of women and children while enabling partners to identify victims and predators in the United States.
+
+
+
+ https://staging.giveth.io/project/CARE-PERU
+ CARE PERU
+
+
+
+
+ https://staging.giveth.io/project/Safernet-Brasil
+ Safernet Brasil
+ SaferNet is unique. Its the first-ever NGO in Brazil to established a multistakeholder approach to protect Human Rights in the digital environment. We created and coordinate since 2005 The National Cybertipline, the National Helpline and the Brazilian Online Safety Education and Awareness Hub. We have more than 15 years of experience in delivering innovative and award-winning programs with huge social impact, including capacity building projects with educators, policy makers, law enforcement officials, teenagers and young people in Brazil.<br><br>SaferNet Brazil has no political, religious, union or ideological ties, and has proven experience and a long standing positive engagement with the leading ICT companies with operations in Brazil. At the institutional level SaferNet has formal signed agreements with the Ministry of Human Rights, Ministry of Education, UNICEF Brazil, General Attorney Office, several State Prosecutors Offices, Universities and with many companies in the private sector. Since 2009 we coordinate the Safer Internet Day in Brazil, and our work has been awarded with the National Human Rights Prize, granted by the Presidency of the Republic of Brazil (2013).<br><br>Collaboration is the key principle guiding our work. We driven our decisions based on evidence-based research and data science, and share our knowledge and expertise to qualify the public debate and contribute to a better informed policy-making process in Brazil.<br><br>Our core activities planned for the years ahead are designed to fulfill five pillars:<br><br>DETECT online risks and trends that could affect users safety and wellbeing and timely respond with the appropriate actions to reduce harm and maximize opportunities, especially for children;<br><br>RECOVER those affected and provide counselling to maintain resilience, improve self-care and restore victims dignity; <br><br>EMPOWER youths, educators, social workers and vulnerably communities to understand those issues and training the trainers;<br><br>PROMOTE diversity and empathy to counter youth radicalization and make the Internet a better place for all.<br><br>SHARE the knowledge and expertise to qualify the public debate and contribute to a better informed policy-making process in Brazil.<br><br>Some of our projects and programs running nowadays:<br><br>1) Cidadao Digital Phase II: a mixture of capacity building and creative labs that aims to inspire, empower and support the protagonism of young people, by train the trainer model, to foster online safety, well-being and media/digital literacy activities for 50k students (13-17 years old) and 8k educators from public schools during the COVID-19 outbreak in Brazil. More info: www.cidadaodigital.org.br<br><br>2) National Cyber TipLine: web-based hotline and a platform providing a database and technical infrastructure to support Brazilian authorities to fight online human rights related offenses, such as child sexual abuse material online, hate speech and human trafficking. More info: http://indicadores.safernet.org.br<br><br>3) National Helpline: realtime chat-based and email counseling service to advice children, teenagers, young people and their parents and educators on how to stay safe online and deal with issues involving privacy, data protection, cyberbullying, sextorsion, suicide, grooming, harassment and others serious online incidents that could affect the health and well-being. The service is operated in a daily bases by specialized psychologists accredited and officially recognized by the Federal Council of Psychology. More info: http://helpline.org.br/indicadores/<br><br>4) MOOC on Online Safety for Educators: an e-learning platform, developed in partnership with Google and the Education Secretariats, has enrolled more than 70k educators from 14 Brazilian States. More info: http://ead.safernet.org.br <br><br>5) National Campaigns develop with industry partners to rising awareness on privacy, security, harmful content and digital skills.
+
+
+
+ https://staging.giveth.io/project/Reach-Out-NGO
+ Reach Out NGO
+ Mission: REACH OUT supports underprivileged groups on Health, Human Rights, Governance and Wealth Creation issues using a community-centred approach and advocacy.
+
+
+
+ https://staging.giveth.io/project/MLop-Tapang
+ MLop Tapang
+ MLop Tapang, a local non-profit organization registered with the Royal Government of Cambodia, has been working with vulnerable of Sihanoukville since 2003. MLop Tapang envisions an environment where all children are allowed to grow up in their families feeling safe, healthy and happy; a society where all children are respected and treated equally; a community where all children are given choices about their future. <br><br>MLop Tapang strives to provide a safe haven for vulnerable children of Sihanoukville, offering care and support to any child at risk. We offer access to education, reintegration with families, life-skills training and creative and recreational activities, while ensuring protection from all forms of abuse. Our efforts allow underprivileged children to embrace their childhood so they can become responsible adults and positive, independent members of society.
+
+
+
+ https://staging.giveth.io/project/Pomoc-deci
+ Pomoc deci
+ Too many children and youth suffer the effects of poverty and violence. Pomoc deci (Children and Youth Support Organisation) creates an environment of hope and respect for children and youth, where they have opportunities to achieve their full potential, and provides children, youth, parents and communities with practical tools for positive change.<br><br><b>Awards and Recognition<b> <br>ERSTE award for social innovations as one of the best social inclusion programmes in southeast Europe in 2009. Management Quality Certificate based on ISO 9001/2008 requirements.
+
+
+
+ https://staging.giveth.io/project/Hope-Healthcare-Services
+ Hope Healthcare Services
+ Hope healthcare services ministers to the physical and spiritual health burdens of uninsured people in our community as the hands and feet of Jesus.
+
+
+
+ https://staging.giveth.io/project/Lillian-Bay-Foundation
+ Lillian Bay Foundation
+ The Lillian Bay Foundation’s mission is focused on developing conditions that nurture holistic wellness for children. More specifically, we are invested in providing immediate medical assistance for children with high-risk vascular malformations, raising awareness around the importance of mental health, and elevating equitable education models of excellence nationally. <br> <br><br>Lillian Bay Foundation is a ground breaking, nonprofit organization, utilizing the power of cryptocurrency Lillian Finance that expedites funding to perform the foundations work. By interconnecting our cause with cutting edge, patent-pending blockchain technology, we believe that the Lillian Bay Foundation will be an industry leader in funding healthcare solutions for children with dire medical needs.
+
+
+
+ https://staging.giveth.io/project/Deaf-Child-Hope-International
+ Deaf Child Hope International
+ Our mission is to provide hope to Deaf children in poverty. Over 25 million Deaf children live in developing countries, and the majority of these children have little to no language, not even sign language therefore little hope for an education or a bright future, without help.
+
+
+
+ https://staging.giveth.io/project/Disable-Development-Educational-Foundation-(DDEF)
+ Disable Development Educational Foundation (DDEF)
+ To develop the under privileged poor vulnerable persons with the disabilities specially autistic, vulnerable women and distresses children in grass root level in Bangladesh. <br>> To change the social and economical situation of underserved and unserved people in the country creating and sound and peaceful development environment. <br>> To provide necessary moral and material support to the poor and needy and building their capacity to live with dignity of Allah. <br> To reduce poverty among the community people under taking felt need based and right programs having direct participation of related stakeholders and rehabilitation of person with disabilities.
+
+
+
+ https://staging.giveth.io/project/APCCZA
+ APCCZA
+ ASYLUM PROTECTION CENTER (APC) was founded in 2007 and from the very beginning of the asylum system in Serbia (2008) has been providing legal, psychosocial and interaction/integration aid to exiles, asylum seekers and persons who have been granted asylum or other protection in the Republic of Serbia (with special focus to children and youth- providing legal, psychosocial, interaction/integration aid to minors, unaccompanied minors and youth). Activities of the APC as grass root organization are reflected through our strong presence and engagement at local levels in local communities, in order to establish a dialogue and interaction between asylum seekers/refugees/exiles and local citizens; primarily through the organization of public local events, exhibitions, fairs, asylum corners, interaction/integration, creative and other workshops, round tables, work of APC local networks of volunteers and APC interns, cultural mediators support and other events and activities in local communities, as well as through numerous collaborations with local governments, organizations, institutions, schools, local cultural and youth centers. APC political scientists and researchers actively work in the field of research and advocacy, using extensive APC experience and field data, in order to get to the root of issues and problems of the migration, asylum system and refugees, strengthening and spreading information to the wider general and local public and experts, advocating and fighting to reduce prejudice and xenophobia in local and general public thus building more tolerant and inclusive society in Serbia. Since its founding, lawyers, psychologists, pedagogues, social workers and translators that make up the APC/CZA team have worked first hand with the refugees and migrants in the first asylum centers. Since the opening of the Balkan route, our team can be found across all reception and transit centers, parks, buses, railways stations, at improvised shelters in open air surroundings by the border, in suburbs, on the streets, in forests and in institutions for youth. We have reunified families, discovered smuggling routes and found children who had been lost. Our team continues to protect persons from discrimination and violence, while simultaneously reporting abuse that are endured by vulnerable groups of migrants and refugees. With the help of Social work centers we have placed children in foster families, enabled the healthy births of children, provided birth certificates for refugee babies born in Serbia and reunified children with their families we have ultimately helped wherever we could. APC/CZA has established one of the first mobile applications in Europe - "Asylum in Serbia", providing not only all necessary basic information, placing mechanism tools for reporting abuse in the hands of migrants and refugees, that are necessary in their journeys through the country, or their long term stays in Serbia. With tireless legal assistance and interpretation of regulations, we managed to provide health care (primary, secondary and tertiary protection) to asylum seekers who should receive care equal to the rights of Serbian citizens. In cooperation with local communities in Bogovadja and Lajkovac, the APC/CZA team, as early as 2012 began enrolling the children of asylum seekers into the Serbian educational system, in both elementary and secondary education institutions. We currently continue with this practice and as a result of our engagement with children who attend elementary school in Belgrade, Krnjaca, Sjenica and Tutin, they are able to receive full-time education, have become excellent and thoroughly satisfied students.<br><br>We are the first in Serbia to have begun the integration process of refugees and asylum seekers in the country- by assisting them to find work, accommodation, the obtaining of documents, ease in overcoming psychological problems and adaptation problems that may have resulted due to their new environment surroundings, regulations, mentality and the culture in Serbia.<br><br>We have managed to validate and recognize the first pages of diplomas for those who received asylum in Serbia.<br><br>We provided the first work permits for more than 40 asylum seekers and those who received asylum and established a legal practice enabling and ensuring them with the right to work. Furthermore, APC/CZA also led disputes before the European Court of Human Rights in Strasbourg in order to protect people from illegal deportations from Hungary and Serbia and managed to ensure fair and equitable proceedings before the competent institutions.<br><br>Over the past ten years, we have legally informed more than 220,000 migrants, asylum seekers and refugees, about their rights and obligations in the country in which they are located. We lawfully advised more than 23,600 asylum seekers and represented them in asylum and other proceedings, as well as before Misdemeanor, Administrative, Constitutional Courts and other instances.<br><br>Our psychologists advised and empowered more than 7,000 asylum-seekers and refugees who needed help - through social assistance, and workshops, we advised more than 3900 asylum seekers.<br><br>We have held over 937 different workshops (cultural, creative, empowering, health, language, school preparatory, and integration, psychological) with more than 4000 asylum seekers taking part in our activities.<br><br>We have crossed over 400,000 kilometers with our mobile teams across Serbia.<br><br>Our web pages were visited by more than 180,000 different people this year alone. During the 2015 refugee crisis, the Center had legally advised more than 110 000 refugees, more than 31 000 children and more than 30 000 women. APC / CZA has trained and taught practices of how to work with children and vulnerable groups, to more than 100 interns and young professionals from the country and abroad.<br><br>APC / CZA has the first and only accredited training programs for social workers in the social welfare system as well as an accredited training program for professional staff in the education system in the field of migrant / asylum / refugee work with a special emphasis on minors.<br><br>We have built a volunteer network with over 170 volunteers.<br><br>Today in Serbia there is no other organization working with refugees where one of its employees has not undergone training, professional development or had a job at with Asylum Protection Center.<br><br>We are particularly proud of our work related to informing the local community about refugees and migrants - people who have fled from war, persecution, poverty, who have come from various cultures, while at the same time informing the migrants about Serbian culture, customs and the rules of their new environment surroundings.<br><br>With all of what we have done and of course what has been done by the state and its institutions, who have a primary duty to manage and care about migration, enough has yet to be done to confidently say that the situation with refugees in Serbia is at a good place.<br><br>Currently there are far more than 5000 migrants in Serbia, of which up to 4000 are housed in reception centers, while others are in the open, in forests, in suburbs, abandoned buildings or in alternative accommodation. The Balkan route is formally closed, but dozens of people continue to enter the country from Bulgaria and Macedonia every day, while in Vojvodina the largest number has accumulated near the borders of Croatia, Hungary and Romania.<br><br>Illegal deportation of people from Croatia, Hungary and Romania to Serbia is a continuous and illegal practice, and people have been illegally pushed back to Serbia, even in instances when they had not previously travelled through the country.<br><br>This brings Serbia into the position of becoming a buffer zone for migration and as a new hotspot on the migration route, which ultimately leads to extensive and far-reaching consequences for the future.<br><br>The longer retention of these people in Serbia and their increasingly difficult transition into EU countries, if that is their goal, requires a change in approaching this problem.<br><br>Migrants currently have difficulty accessing accommodation and asylum procedures, and registration. They are violated of their fundamental rights as asylum seekers in fair and fast procedures, free legal aid, freedom of movement. This places a vulnerable group of people who are often exposed to abuse and violence more and more, in situations of prejudice and prevents integration and interaction with the local environment, and community while promoting the use of smuggling and crime.<br><br>These circumstances require a greater engagement by our organization in informing migrants and providing legal protection to asylum seekers and refugees in proceedings before all institutions, bodies and courts of the Republic, as well as monitoring the application of regulations and behavior on the ground through the process of border monitoring and abuse.<br><br>It is very important that our organization keeps its independence, professional and objective approach to problems, while continuing to cooperate with the media to objectively inform citizens and the public while continuing our fight against prejudice and disinformation.<br><br>APC / CZA will continue to train and provide professional practices for young professionals with its accredited training programs for civil servants while working intensively with local communities.<br><br>APC / CZA will furthermore continue its engagement in the integration of those who have received asylum in Serbia, as well as in supporting the system itself and pushing for the improvement of existing practices, and cooperation in the region. As well, our team will work with secular organizations at the European level who will also be a priority in the fight against prejudices, and in raising public awareness of these problems, in building solidarity and permanent networks of cross-border cooperation between organizations in Europe.
+
+
+
+ https://staging.giveth.io/project/District-Church
+ District Church
+ In the Bible in Acts chapter 2, Peter, who was an eye witness of Jesus the risen Savior, was speaking to those who are responsible for his death. Through the power of the Holy Spirit, Peter calls these people to turn from their Godless living, be baptized and trust Jesus for the forgiveness of their sins. The people surrendered their lives to Jesus and Peter said, “This promise is for you, for your family and for those who are far off.”<br>That is the mission of District Church. Each one of us at some point were far from God, didn’t have it all together, and still the promise of forgiveness and the hope of having a life-giving relationship with Jesus, were for us. The same is true for your life. There’s nothing in your life, that you’ve done, that could keep you from the love of Jesus.
+
+
+
+ https://staging.giveth.io/project/ASOCIACION-MEDICOS-DEL-MUNDO
+ ASOCIACION MEDICOS DEL MUNDO
+ Medicos del Mundo (MdM) is an independent international association that promotes<br>solidarity and pursues the fulfilment of the fundamental right to health and the enjoyment of a dignified life for any person. Goals are:<br> Help victims of human crises: wars or natural disasters and those living in the less developed areas of the planet.<br> Attend people who live in our country and are in a vulnerable situation<br>MdM has a firm commitment to the values of humanitarian medicine, as access to health is a right of all people, regardless of their place of birth, race, social or sexual estatus or religion.
+
+
+
+ https://staging.giveth.io/project/Education-Fights-AIDS-Cameroon
+ Education Fights AIDS Cameroon
+ Our mission is to improve the living conditions of young Cameroonians through Education, Health and Capacity Building.
+
+
+
+ https://staging.giveth.io/project/FORCE-Facing-Our-Risk-of-Cancer-Empowered
+ FORCE - Facing Our Risk of Cancer Empowered
+ FORCE improves the lives of individuals and families facing hereditary cancer.
+
+
+
+ https://staging.giveth.io/project/Helping-Hand-For-Relief-and-Development-Inc
+ Helping Hand For Relief and Development, Inc
+ HHRD is committed to serve humanity by integrating resources for people in need. We strive to provide immediate response in disasters, and effective Programs in places of suffering, for the pleasure of Allah.
+
+
+
+ https://staging.giveth.io/project/Hospital-of-San-Vicente-Foundation
+ Hospital of San Vicente Foundation
+ Our hospital is a non-profit private institution that offers health services with emphasis on highly-complex patient care. It centers its economic effort on those patients who need service but cannot afford to pay for it. It performs its task with a comprehensive human focus, quality, and ethics with qualified and committed personnel. The Hospital also participates in the development of human talent and in research development in health areas to contribute to the generation of knowledge.
+
+
+
+ https://staging.giveth.io/project/IDEP-Foundation
+ IDEP Foundation
+ IDEPs Mission<br><br>Strengthening community resilience<br>Encouraging the sovereignty of local natural resources<br>Preserve the environment and culture<br>Increasing community capacity<br>Strengthening institutions and networks with various parties
+
+
+
+ https://staging.giveth.io/project/Founders-Pledge-Inc
+ Founders Pledge, Inc
+ Our mission is to empower entrepreneurs to do immense good.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Warriors-Ltd
+ Wildlife Warriors Ltd
+ Our Vision<br>That people, wildlife and habitat survive and prosper without being detrimental to the existence of each other.<br><br>Our Mission<br>To be the most effective wildlife conservation organisation in the world through the delivery of outstanding outcome-based programs and projects, and inclusive of humanity.
+
+
+
+ https://staging.giveth.io/project/Zao-Church-Inc
+ Zao Church Inc
+ Zao Church exists to point souls to Christ through life-giving community.
+
+
+
+ https://staging.giveth.io/project/Soup-and-Socks-eV
+ Soup and Socks eV
+ The goal of Soup and Socks e.V. is to stand in solidarity with refugees by supporting and empowering them. We aim to create dignified responses to peoples needs after they fled their countries to foster self-determination. Our vision is a world in which every person has equal access to society and equal opportunities to realise their potential. <br><br>Our mission is to provide platforms for people who fled their countries to get active; spaces where they can get rid of labels that stigmatise them, where they themselves can create solutions that immediately improve their living conditions, where they transform from the excluded into the experts of tomorrow, where they make first steps of integration.<br><br>In order to live this mission, the organisation set up the intercultural maker space Habibi.Works in the North of Greece in August 2016. Habibi.Works is a platform for education, empowerment and encounters for refugees from nearby camps and for Greek locals. The 11 workshop areas (Community Kitchen, Wood Workshop, Metal Workshop, Barber Shop, Bike Repair Station, Sewing Atelier, Creative Atelier, Media Lab with 3D printers, laser cutter and VR, Gym, Library and Community Garden) are run by an international team of experts and allow the users to get active and creative, to share skills and experience, to prove their talents and unfold their potential.
+
+
+
+ https://staging.giveth.io/project/Children-of-the-Night-Inc
+ Children of the Night, Inc
+ Children of the Night is a privately funded non-profit organization established in 1979 with the specific purpose to provide intervention in the lives of children who are sexually exploited and vulnerable to or involved in prostitution and pornography.<br><br>Since our inception in 1979, all Children of the Night programs have been exclusively funded by private donations from foundations, corporations, and individuals. <br><br>Children of the Night has rescued over 11,000 American children from prostitution RIGHT HERE IN THE UNITED STATES in the last 44 years – that is more children than all child sex trafficking programs in America combined. <br><br>Permanent solutions for young people trying to escape prostitution may only be resolved by innovative social services - not by law enforcement. <br><br>To that end, Children of the Night developed an effective model of case management and education combining advanced internet technology and mobilized social services for sex trafficking victims.<br><br>From our headquarters, Case Managers provide children 24-hour services, 7 days a week. We rescue young people from pimps, help with medical services, public health insurance, social security/disability benefits, maternity housing, drug program placement, domestic violence, transportation, mental health services, psychiatric evaluations, or access to psychotropic medications. We advocate with the courts, social workers, and probation officers. We help with resumes, job placement, access to vocational or trade schools or community colleges, applications for FAFSA (federally funded financial aid) - we are ready and willing to help.<br><br>Our FREE one-on-one tutoring program through ZOOM tutors sex trafficking victims for the high school diploma – the first step in escaping the streets. A high school diploma enables them to enter the military or work in support positions in medicine or law; attend vocational or trade school and even community college.<br><br>Our students are unable to attend regular school because of extensive existing trauma and an on-going chaotic lifestyle so our case management program dovetails with our High School Diploma tutoring.<br><br>Globally, our ZOOM tutoring is teaching English and Math to Child Sex Trafficking Victims living in Christian or Non-Governmental Organizations (NGOs).<br><br>Many of these children are unable to leave the safe refuge where they seek protection because the risk of kidnapping for sex or labor trafficking is REAL. <br><br>When these children learn English, they can obtain employment in their country’s call centers or tourist industry. With strong math skills and high scores on their nation’s math test, their own countries will fund their college education and increasing their employment opportunities in IT (Internet Technology). <br><br>With our innovative programs, we will be able to help another 11,000 at-risk youth in a fraction of the time and cost it took to help the first 11,000.<br><br>All gifts are spent on domestic programs (America) unless otherwise indicated by the donor.
+
+
+
+ https://staging.giveth.io/project/Taliin-Tuurai-(Steppe-and-Hoof)
+ Taliin Tuurai (Steppe and Hoof)
+ Taliin Tuurai or (Steppe and Hoof) is a non-profit organization which has been set up to help herders and their animals in Mongolia. From a total population of 3.2 million Mongolian people, only about 169,000 nomadic families remain today. Mongolian herders are one of the last group of the pastural nomads left on earth. For a millennium these nomads have lived on the steppes, grazing their animals on vast grasslands while passing their culture virtually unchanged from generation to generation. But today, their traditional lifestyle is under threat. Climate change, desertification and rapidly evolving economics inside of Mongolia are contributing not only to a dramatic reduction in herders and arable land, but also to the rapid migration of families away from their life in the countryside to the cities. For the last several decades thousands of herder families have moved to the cities. Life in the countryside can be harsh. A particularly bad winter, called a Dzud in Mongolian, is an extreme weather phenomenon which regularly results in massive livestock deaths which in turn forces herders to abandon their nomadic way of life to look for work in the cities. With already very high unemployment, job prospects in the capital city of Ulaanbaatar are very few, often forcing these once proud and independent people into poverty in the ger districts surrounding the city. The ger districts have almost no modern services like running water and basic infrastructure.<br>Our goal is to try to save the unique traditions that are part of the Mongolian nomadic lifestyle. With our programs we are striving to preserve the unique tradition and culture that existed for so long in Mongolia while giving herders modern tools, services and training to make it possible for them to succeed in todays world.
+
+
+
+ https://staging.giveth.io/project/Feeding-America
+ Feeding America
+ Our mission is to advance change in America by ensuring equitable access to nutritious food for all in partnership with food banks, policymakers, supporters, and the communities we serve.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Korea
+ Make-A-Wish Korea
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/Second-Harvest-of-Silicon-Valley
+ Second Harvest of Silicon Valley
+ End hunger in our community.
+
+
+
+ https://staging.giveth.io/project/Amutat-Halevav
+ Amutat Halevav
+ Halevav is a center of activity and information, helps local efforts toward sustainability , and conducts educational activities , information and experience in the following areas :<br>*Local traditional culture .<br>* existence between different population groups .<br>All activities of Halevav based on a combination of balance and personal health , sustainability, education, Culture and music .<br>*Halevav is not associated with any organization , political or religious , and welcomes all who wish to join its activities .<br>*Establishment of an educational center and a network organization for implementing lessons conservation values of Music creativity and culture.<br>In 2016, the committee decided to place emphasis on supporting musicians and promoting music in our region<br>Therefore, it was decided to establish a school of eastern music - Maqamat Academy
+
+
+
+ https://staging.giveth.io/project/Bread-for-the-World-Institute-Inc
+ Bread for the World Institute Inc
+ Bread for the World is a Christian advocacy organization urging U.S. decision makers to do all they can to pursue a world without hunger. Our mission is to educate and equip people to advocate for policies and programs that can help end hunger in the U.S. and around the world.
+
+
+
+ https://staging.giveth.io/project/United-Macedonian-Diaspora
+ United Macedonian Diaspora
+ The United Macedonian Diaspora (UMD) is an international non-governmental organization that promotes the interests and needs of Macedonian communities around the world.
+
+
+
+ https://staging.giveth.io/project/Childrens-Cancer-Association
+ Childrens Cancer Association
+ Children’s Cancer Association envisions a human-centered healthcare environment where JoyRx is a standard of care. For more than 27 years, we have delivered Joy-based programs that create immediate and measurable improvement to the mental and emotional wellness of young patients facing cancer or other serious illness.
+
+
+
+ https://staging.giveth.io/project/Operation-Homefront
+ Operation Homefront
+ To build strong, stable, and secure military families so they can thrive—not simply struggle to get by—in the communities that they’ve worked so hard to protect.
+
+
+
+ https://staging.giveth.io/project/Nova-Ukraine
+ Nova Ukraine
+ Nova Ukraines mission:
+1. Provide humanitarian aid to vulnerable groups and individuals in Ukraine.
+2. Raise awareness about Ukraine in the United States and throughout the world.
+3. Support Ukraine in its effort to build a strong civil society, to reform its educational system, and to eliminate corruption.
+
+
+
+ https://staging.giveth.io/project/Rose-Hulman-Institute-of-Technology
+ Rose-Hulman Institute of Technology
+ The mission of Rose-Hulman Institute of Technology is to provide our students with the worlds best undergraduate science, engineering, and mathematics education in an environment of individual attention and support.
+
+
+
+ https://staging.giveth.io/project/Open-Dance-Project
+ Open Dance Project
+ Open Dance Project is an ensemble-driven dance theater company dedicated to developing and presenting world-class dance theater experiences in Houston and serving as a cultural resource through engaging and enriching education and community programming.
+
+
+
+ https://staging.giveth.io/project/A-Childs-Hope-Intl
+ A Childs Hope Intl
+ As advocates for orphans and vulnerable children, we reach thousands of children daily with critically needed supplies that nourish the body and the soul. Our mission is to motivate and mobilize the church and the community to care for orphans and vulnerable children in their distress.
+
+
+
+ https://staging.giveth.io/project/Creative-Capital-Foundation
+ Creative Capital Foundation
+ Creative Capital supports individual artists projects through grants and career development services.
+
+
+
+ https://staging.giveth.io/project/Leleka-Foundation
+ Leleka Foundation
+ To unite our efforts in support of the people of Ukraine as they build a democratic civil society, and to provide targeted assistance to those who need it most.
+
+
+
+ https://staging.giveth.io/project/ASA-Initiative
+ ASA Initiative
+ The Mission of ASA Initiative is to "Work with collaborative efforts to provide technological solution that will enable poor households have access to basic infrastructure to improve livelihood, increase food production and mitigate climate change through biochar technology; reduce deforestation; reduce indoor and outdoor air pollution and improve women and children health through provision of clean cook stoves and fuel and general households health improvements, and educational support to the needy and vulnerable within Ghana and the rest of Africa.
+
+
+
+ https://staging.giveth.io/project/Cedarville-University
+ Cedarville University
+ Cedarville University transforms lives through excellent education and intentional discipleship in submission to biblical authority.
+
+
+
+ https://staging.giveth.io/project/Vital-Immigrant-Defense-Advocacy-and-Services-(VIDAS)
+ Vital Immigrant Defense Advocacy and Services (VIDAS)
+ VIDAS employs majority BIPOC immigrants to provide competent, compassionate legal advocacy for people of all ages from all over the world, many of whom have endured significant trauma. We provide the full range of immigrant legal representation, specializing in deportation defense, at no or low cost to clients.
+
+
+
+ https://staging.giveth.io/project/World-Orphans
+ World Orphans
+ We equip, inspire, and mobilize the church to care for orphans and vulnerable families. Churches engaged. Children restored. Communities transformed by the Gospel of Christ.
+
+
+
+ https://staging.giveth.io/project/Childhood-Leukemia-Foundation
+ Childhood Leukemia Foundation
+ Childhood Leukemia Foundation was founded to educate, empower and lift the spirits of children living with cancer. Our program services include Keeping Kids Connected iPad Program to allow hospitalized patients to remain connected to family, friends and their schoolwork during the most difficult time in their young lives. Our Hugs U Wear program provides human hair wigs to restore self-esteem after losing their own hair to chemotherapy. Our E-STEAM Wish Baskets offer an age appropriate distraction for the child during treatment and a means of bringing smiles to these brave children.
+
+
+
+ https://staging.giveth.io/project/More-Too-Life
+ More Too Life
+ We exist to inspire change in people and transform culture for a better world.
+
+
+
+ https://staging.giveth.io/project/The-ALS-Association
+ The ALS Association
+ The Associations nationwide network of chapters provides comprehensive patient services and support to the ALS community. The mission of The ALS Association is to discover treatments and a cure for ALS, and to serve, advocate for, and empower people affected by ALS to live their lives to the fullest.
+
+
+
+ https://staging.giveth.io/project/Humane-Society-for-Southwest-Washington
+ Humane Society for Southwest Washington
+ rescue • return • restore • rehome • reconnect. One animal at a time.
+
+
+
+ https://staging.giveth.io/project/American-Journalism-Project-Inc
+ American Journalism Project, Inc
+ The American Journalism Project is a venture philanthropy dedicated to local news. We are working to ensure that every community has a local journalism that represents, informs and engages the diverse public it serves. We believe civic journalism is a public good and are reimagining its future by building a model to finance and sustain the local news our democracy requires.<br><br>We take an entrepreneurial approach to our work; adopting a venture capital model to jumpstart the success of nonprofit news organizations at every stage, pairing our financial investment with coaching, strategic support and peer learning. Learn more about what we do and how we use this unique approach at https://www.theajp.org/what-we-do
+
+
+
+ https://staging.giveth.io/project/Energy-Outreach-Colorado
+ Energy Outreach Colorado
+ Energy Outreach Colorado leads a network of industry, state and local partners to Support, Stabilize and Sustain Coloradans to afford their energy needs.
+
+
+
+ https://staging.giveth.io/project/The-Lantern-Network
+ The Lantern Network
+ Our mission is to strengthen America by providing examples of success stories, roadmaps, and resources to young Black Americans, so they can realize their dreams and more fully contribute to building our More Perfect Union.
+
+
+
+ https://staging.giveth.io/project/Washington-State-University-Foundation
+ Washington State University Foundation
+ The mission of the Foundation is to promote, accept, and maximize private support for programs, initiatives, and properties of Washington State University and its regional campuses. The Foundation also prudently manages, invests, and stewards assets entrusted to it.
+
+
+
+ https://staging.giveth.io/project/Florence-Immigrant-Refugee-Rights-Project
+ Florence Immigrant Refugee Rights Project
+ The mission of the Florence Project is to provide free legal and social services to detained adults and unaccompanied children facing immigration removal proceedings in Arizona.
+
+
+
+ https://staging.giveth.io/project/Pet-Partners
+ Pet Partners
+ Long before the human-animal bond was documented to improve health, the Pet Partners’ founders observed the positive impacts of pets on patient well-being, including lowered blood pressure, reduced anxiety and stress, promotion of physical activity and movement, and many other benefits. So, in 1977 our founders put their proven theories into everyday application by creating the Pet Partners Therapy Animal Program, which now registers and supports nearly 7,600 therapy animal teams across the United States who provide comfort and healing to the people they visit. We provide the best education available for our volunteers, preparing them and their pets for visits in hospitals, nursing homes, veterans’ centers, courtrooms, schools, workplaces, and more. The Pet Partners mission is to improve human-health and well-being through the human-animal bond.
+
+
+
+ https://staging.giveth.io/project/Del-Mar-Va-Council-Boy-Scouts-of-America
+ Del-Mar-Va Council, Boy Scouts of America
+ The mission of the Boy Scouts of America is to prepare young people to make ethical and moral choices over their lifetimes by instilling in them the values of the Scout Oath and Law.
+
+
+
+ https://staging.giveth.io/project/Regents-School-of-Austin
+ Regents School of Austin
+ The mission of Regents School is to provide a classical and Christian education founded upon and informed by a Christian worldview, that equips students to know, love, and practice that which is true, good, and beautiful, and challenges them to strive for excellence as they live purposefully and intelligently in the service of God and man.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Mexicana-De-Bancos-De-Alimentos
+ Asociacion Mexicana De Bancos De Alimentos
+ The Mexican FoodBanking Network (BAMX), for 24 years has been dedicated to rescuing all surplus food - suitable for human consumption - through the value chain (farms, supermarkets, supply centers, industry, hotels and restaurants) in order to distribute it to people living with hunger, fighting hunger and improving nutrition in the country. Nowadays BAMX network represents 55 Food Banks in 27 States of Mexico, helping more than 1,400,000 people nationwide, and its one of the biggest foodbanking networks in the world, who rescue an average of 120,000 tons of food annually, this represents less than 2% of all food that is wasted in Mexico.
+
+
+
+ https://staging.giveth.io/project/Blue-Mountain-Community-Foundation
+ Blue Mountain Community Foundation
+ Blue Mountain Community Foundation strives to be the catalyst that transforms the Blue Mountain region by growing generosity and connecting people, charitable causes, and community needs.. The vast majority of donations to BMCF come from individuals. A small percentage comes from businesses. Almost all donations come from our local area. No donations come from international sources.
+
+
+
+ https://staging.giveth.io/project/Community-Christian-Church-of-Naperville
+ Community Christian Church of Naperville
+ Our mission is to help you find your way back to God.
+
+
+
+ https://staging.giveth.io/project/Palm-Beach-County-Food-Bank-Inc
+ Palm Beach County Food Bank, Inc
+ The mission of the Palm Beach County Food Bank is to alleviate hunger in Palm Beach County.
+
+
+
+ https://staging.giveth.io/project/Baitulmaal-Inc
+ Baitulmaal, Inc
+ Baitulmaal provides life-saving, life-sustaining and life-enriching humanitarian aid to under-served populations around the world regardless of faith or nationality.
+
+
+
+ https://staging.giveth.io/project/Catholic-Charities-Community-Services-Inc
+ Catholic Charities Community Services, Inc
+ Helping our communitys most vulnerable with solutions that permanently improve lives.
+
+
+
+ https://staging.giveth.io/project/National-Childrens-Advocacy-Center-Inc
+ National Childrens Advocacy Center, Inc
+ The NCAC models, promotes, and delivers excellence in child abuse response and prevention through service, education, and leadership.
+
+
+
+ https://staging.giveth.io/project/Infinite-Family
+ Infinite Family
+ Infinite Family was established in the early years of South Africa’s democracy to help its most marginalised teens create successful and productive futures. For most young Black South Africans, just at the time they need to be developing habits and skills that will make them productive and self-reliant, their daily reality includes food insecurity, inescapable violence and toxic stress, inadequate contact with positive role models, and low community expectations and prospects for success. Infinite Family’s network of global volunteer mentors provide an invaluable link between these township teens and the wider world to help them build skills and navigate the challenges they face during their school years … into the job market … and on to financial independence.
+
+
+
+ https://staging.giveth.io/project/United-Friends-of-the-Children
+ United Friends of the Children
+ United Friends of the Children empowers current and former foster youth on their journey to self-sufficiency through service-enriched education and housing programs, advocacy, and consistent relationships with a community of people who care.
+
+
+
+ https://staging.giveth.io/project/Food-for-the-Hungry
+ Food for the Hungry
+ Food for the Hungry seeks to end ALL forms of human poverty by going to the hard places and walking with the world’s most vulnerable people. For fifty years, we’ve been serving through purposeful relief and development. We believe in the fight against poverty, which is why we serve the vulnerable in over 20 countries globally.
+
+
+
+ https://staging.giveth.io/project/Smithsonian-Institution
+ Smithsonian Institution
+ The Smithsonian Institution is the world’s largest museum, education, and research complex, with 21 museums and the National Zoo—shaping the future by preserving heritage, discovering new knowledge, and sharing our resources with the world.<br><br>The Institution was founded in 1846 with funds from the Englishman James Smithson (1765–1829) according to his wishes “under the name of the Smithsonian Institution, an establishment for the increase and diffusion of knowledge.” We continue to honor this mission and invite you to join us in our quest.
+
+
+
+ https://staging.giveth.io/project/Generals-International
+ Generals International
+ Generals International is an international church movement organized exclusively for charitable, religious, and educational purposes, including, for such purposes, the conducting of religious worship. It is an exempt organization under section 501(c)(3) of the Internal Revenue Code. The mission of this church is to reform the nations of the world back to a biblical worldview through intercession and the prophetic.
+
+
+
+ https://staging.giveth.io/project/Rez-Chuch
+ Rez Chuch
+ Rez Church exists to help people know God, find freedom, discover purpose, and make a difference.
+
+
+
+ https://staging.giveth.io/project/Housing-Families-Inc
+ Housing Families, Inc
+ At Housing Families, we are working to achieve housing equity and well-being for all. As a nonprofit organization, we partner with communities, families, and individuals to ensure housing stability by offering personalized services including temporary and permanent housing, food assistance, individual counseling and group therapy, legal assistance, and youth programs.
+
+
+
+ https://staging.giveth.io/project/Fred-Hutchinson-Cancer-Center
+ Fred Hutchinson Cancer Center
+ Fred Hutchison Cancer Center unites innovative research and compassionate care to prevent and eliminate cancer and infectious disease. We’re driven by the urgency of our patients, the hope of our community, and our passion for discovery to pursue scientific breakthroughs and healthier lives for every person in every community.
+
+
+
+ https://staging.giveth.io/project/Children-of-Fallen-Patriots-Foundation
+ Children of Fallen Patriots Foundation
+ Children of Fallen Patriots Foundations mission is to provide college scholarships and educational counseling to military children who have lost a parent in the line of duty.
+
+
+
+ https://staging.giveth.io/project/Sott-e-ncoppa
+ Sott e ncoppa
+ Sottencoppa is a voluntary association which manages, together with other four non-profit organizations, a real estate asset confiscated from criminal organizations, that is the Masseria Antonio Esposito Ferraioli. So, the Masseria is committed to bring back to citizens a real estate asset confiscated from criminal organizations, with the aim of creating a community network of families who raise sustainable, healthy, organic vegetables and fruits in social gardens, and of raising awareness of issues such as organized crime, sustainable economy and discrimination (epecially gender-based discriminations).
+
+
+
+ https://staging.giveth.io/project/Room-to-Read
+ Room to Read
+ Room to Read transforms the lives of millions of children through education, creating a world free from illiteracy and gender inequality.
+
+
+
+ https://staging.giveth.io/project/NTEN
+ NTEN
+ We are creating a world where missions and movements are successful through the skillful and equitable use of technology.<br><br>We build transformative power by connecting people who are putting technology to work for social change. We amplify their individual and collective capacity for doing good by offering expert trainings, researching effective approaches, and providing places where relationships can flourish. We relentlessly advocate for the redesign of the systems and structures that maintain inequity.
+
+
+
+ https://staging.giveth.io/project/Bellevue-Arts-Museum
+ Bellevue Arts Museum
+ Bellevue Arts Museum provides a public forum for the community to contemplate, appreciate, and discuss visual culture. We work with audiences, artists, makers, and designers to understand our shared experience of the world.
+
+
+
+ https://staging.giveth.io/project/Iditarod-Trail-Committee
+ Iditarod Trail Committee
+ To promote, sponsor and sustain the World Premier sled dog race. Along the Iditarod Trail, which incorporates traditional wilderness mushing skills, mandates the human treatment of dogs, reflects the human wonder and challenge of Alaskas wilderness, contributes to the historical, social, economic and cultural fabric of Alaska and preserves the historic contribution and contemporary practice of dog mushing.
+
+
+
+ https://staging.giveth.io/project/Nicklaus-Childrens-Hospital-Foundation
+ Nicklaus Childrens Hospital Foundation
+ To inspire hope and promote lifelong health by providing the best care to every child.
+
+
+
+ https://staging.giveth.io/project/Two-Cities-Church
+ Two Cities Church
+ Two Cities Church exists to see every man, woman, and child in Winston-Salem have repeated opportunities to see, hear, and respond to the gospel of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Tree-Peace
+ Tree Peace
+ The Tree of Peace is a metaphor for how peace can grow if it is nurtured. Like a tall tree, peace can provide protection and comfort. Like a pine tree, peace spreads its protective branches to create a place of peace where we can gather and renew ourselves.
+
+
+
+ https://staging.giveth.io/project/Youth-for-Christ-Foundation
+ Youth for Christ Foundation
+ Youth For Christ Foundation exists to support the long-term sustainability and growth of YFC entities across the nation and around the world.
+
+
+
+ https://staging.giveth.io/project/Easterseals-Crossroads
+ Easterseals Crossroads
+ Our purpose is to lead the way to 100% equity, inclusion and access for people with disabilities, including their families and community.. We serve children and families through early intervention as well as occupational, physical and speech therapy, autism and behavior services. We serve adults through high school transition to work, general employment readiness/placement, veteran resources/support and day services for adults. We are nationally recognized for our assistive technology expertise and provide deaf community services along with ASL interpreting.
+
+
+
+ https://staging.giveth.io/project/Borden-Ministries-Inc
+ Borden Ministries Inc
+ Residential faith community living out love, justice, and hospitality in our neighborhood and city, including meeting physical needs like housing, spiritual needs, and relational needs
+
+
+
+ https://staging.giveth.io/project/The-Denver-Foundation
+ The Denver Foundation
+ The Denver Foundation inspires people and mobilizes resources to strengthen our community.
+
+
+
+ https://staging.giveth.io/project/Mission-Santa-Maria-Inc
+ Mission Santa Maria, Inc
+ Mission Santa Maria is a nonprofit organization that is dedicated to helping impoverished, abused, and neglected Ecuadorian children receive high quality education with the goal of lifting them out of poverty through dignified, sustainable incomes.
+
+
+
+ https://staging.giveth.io/project/Compass-Family-Services
+ Compass Family Services
+ Compass Family Services helps homeless families and those at imminent risk to achieve housing stability, self-sufficiency, and emotional well-being.
+
+
+
+ https://staging.giveth.io/project/American-Foundation-for-Children-with-AIDS-(AFCA)
+ American Foundation for Children with AIDS (AFCA)
+ The American Foundation for Children with AIDS (AFCA) is a non-profit organization providing critical comprehensive services to infected and affected HIV+ children and their caregivers. Our programs are efficient, promoting self-reliance and sustainability. Since 2005, in collaboration with our in-country partners, we have served tens of thousands of families in some of the most underserved and marginalized communities in Africa. Our areas of impact include: medical support, livelihoods, sustainable food solutions, educational support and emergency relief. Currently, AFCA is transforming lives in Kenya, Malawi, Uganda, Zimbabwe, and the Democratic Republic of Congo.
+
+
+
+ https://staging.giveth.io/project/AdoptAClassroomorg
+ AdoptAClassroomorg
+ AdoptAClassroom.org believes every child deserves the tools and materials they need to learn and succeed in school. The national, tech-based nonprofit connects donors and sponsors with PreK-12 teachers and schools to help equip more classrooms and students with school supplies. Since 1998, AdoptAClassroom.org has raised $57 million and supported more than 5.8 million students across the U.S. The 501(c)(3) holds the highest 4-star rating from Charity Navigator and the highest transparency rating offered by GuideStar.
+
+
+
+ https://staging.giveth.io/project/The-Retired-Investigators-Guild
+ The Retired Investigators Guild
+ Restoring Americas faith in law enforcement and continuing the tireless pursuit of criminals in the interest of victims of violent crimes.
+
+
+
+ https://staging.giveth.io/project/Building-Foundation-For-Development(BFD)
+ Building Foundation For Development(BFD)
+ Being committed to contribute in the attainment of sustainable human development goals, development of society, alleviate poverty and improve the living conditions of the most vulnerable by ensuring that every person has access to lifes most basic needs.
+
+
+
+ https://staging.giveth.io/project/HOPE-Foundation-for-Women-Children-of-Bangladesh-Inc
+ HOPE Foundation for Women Children of Bangladesh, Inc
+ HOPE Foundation for Women and Children of Bangladesh aims to give access to healthcare for poverty stricken and destitute women and children of Bangladesh by establishing hospitals, medical clinics, providing preventative health education to the general population and implement rehabilitative services for the disabled and injured. HOPE focuses on maternal health and boasts projects in: obstetric fistula, safe delivery, midwifery training, community health worker training, research, and more.
+
+
+
+ https://staging.giveth.io/project/Pandrillus-Foundation-USA
+ Pandrillus Foundation USA
+ Drills are one of the worlds most endangered mammals. Pandrillus programs benefit not only drills but other species which share their habitat, especially chimpanzees and gorillas. Our captive facilities care for over 700 animals, victims of the "bushmeat trade", and employ over 60 national staffs. We operate in the Cross Sanaga region of southeast Nigeria and southwest Cameroon, and small area of high biodiversity and endemism in west central Africa. Our two wildlife sanctuaries are the first in the region and were established in the early 1990s.
+
+
+
+ https://staging.giveth.io/project/Special-Operations-Warrior-Foundation-Inc
+ Special Operations Warrior Foundation, Inc
+ Special Operations Warrior Foundation (SOWF) provides full college educations and additional educational opportunities, “cradle to career” (preschool – college), to the surviving children of Special Operations Forces (Army, Navy, Air Force and Marine Corps) lost in the line of duty as well as children of all Medal of Honor Recipients. SOWF also provides immediate financial assistance to severely wounded, ill, and injured Special Operations Personnel.
+
+
+
+ https://staging.giveth.io/project/HOPE-Inc
+ HOPE, Inc
+ Empower, encourage, and equip low-income single parents to obtain a college degree, develop essential life skills, and ultimately become self-sufficient. We do this by providing our single parent students with: 1. Financial assistance for housing and childcare 2. A facilitator to connect our students to community resources 3. Financial literacy and a game plan for financial independence 4. Counseling resources and success coaching
+
+
+
+ https://staging.giveth.io/project/YouthHope
+ YouthHope
+ We bring youth HOPE! YouthHopes mission is to bring at-risk children and teens from low-income areas into a life-changing relationship with Christ by encouraging, equipping, and empowering them through our Youth Centers, Camp Summit, and Community Outreach Programs.
+
+
+
+ https://staging.giveth.io/project/Clean-Coalition
+ Clean Coalition
+ To accelerate the transition to renewable energy and a modern grid through technical, policy, and project development expertise.
+
+
+
+ https://staging.giveth.io/project/Gabrielles-Angel-Foundation-for-Cancer-Research
+ Gabrielles Angel Foundation for Cancer Research
+ Gabrielles Angel Foundation funds the best and brightest early career scientists who are researching better treatments, preventions and cures for leukemia, lymphoma and other blood related cancers.
+
+
+
+ https://staging.giveth.io/project/Fannie-and-John-Hertz-Foundation
+ Fannie and John Hertz Foundation
+ The Hertz Foundation identifies the nation’s most promising innovators in science and technology and empowers them to pursue their boldest ideas without limits, enhancing our nations security and economic vitality.
+
+
+
+ https://staging.giveth.io/project/The-Victor-Pineda-Foundation-World-Enabled
+ The Victor Pineda Foundation World Enabled
+ Our mission is to help organizations and communities create and sustain a radically inclusive, accessible, and resilient future for all.
+
+
+
+ https://staging.giveth.io/project/MAP-International
+ MAP International
+ MAP International is a Christian organization providing medicines and health supplies to those in need around the world so they might experience life to the fullest. MAP serves all people regardless of religion, gender, race, nationality or ethnic background.. MAP Internationals donors are primarily individuals, yet they also receive donations from organizations.
+
+
+
+ https://staging.giveth.io/project/Albuquerque-Community-Foundation
+ Albuquerque Community Foundation
+ Our mission is to build, invest and manage endowment funds to enhance the quality of our community through informed strategic grantmaking.
+
+
+
+ https://staging.giveth.io/project/The-HALO-Foundation
+ The HALO Foundation
+ HALO believes every child should have the support of a family. We provide housing, healing and education to thousands of homeless and at-risk children around the world.
+
+
+
+ https://staging.giveth.io/project/Team-Western-Kentucky-Tornado-Relief-Fund
+ Team Western Kentucky Tornado Relief Fund
+ Governor Beshear has established the Team Western Kentucky Tornado Relief Fund to assist those impacted by the tornados and the severe weather system on December 11, 2021.
+
+
+
+ https://staging.giveth.io/project/Prospect-Park-Alliance-Inc
+ Prospect Park Alliance, Inc
+ Prospect Park Alliance is the non-profit organization that sustains "Brooklyns Backyard," working in partnership with the City of New York. The Alliance was founded in 1987 to help restore the Park after a long period of deterioration and decline. Today, the Alliance provides critical staff and resources that keep the Park green and vibrant for the diverse communities that call Brooklyn home. The Alliance cares for the woodlands and natural areas, restores the Parks buildings and landscapes, creates innovative Park destinations, and provides free or low-cost volunteer, education and recreation programs.
+
+
+
+ https://staging.giveth.io/project/Project-Sweetie-Pie
+ Project Sweetie Pie
+ Grassroots urban agriculture nonprofit focused on Food Justice, Food Access, Equality, economic development-to-generational wealth for the ADOS community. We pride ourselves on the fact that we "we move at the speed of trust" with our partners, collaborators and our donors.
+
+
+
+ https://staging.giveth.io/project/KQED
+ KQED
+ We are here for everyone who wants to be more. Our television, radio, digital<br>media, and educational services change lives for the better and help individuals<br>and communities achieve their full potential.<br><br>We celebrate diversity, embrace innovation, value lifelong learning, and partner<br>with those who share our passion for public service.
+
+
+
+ https://staging.giveth.io/project/Safecast-Global-Inc
+ Safecast Global Inc
+ Safecast is an international volunteer driven non-profit organization
+whose goal is to create useful, accessible, and granular environmental data. All Safecast data is published, free of charge, into the public domain under a CC0 designation.
+
+
+
+ https://staging.giveth.io/project/RUN-Ministries
+ RUN Ministries
+ RUN Ministries is a USA-based charity with a passion for global holistic transformation. We equip the local church to RESCUE people from the evils of slavery, EMPOWER leaders with training and tools, and MULTIPLY movements that impact their world for good.
+
+
+
+ https://staging.giveth.io/project/Association-of-Migraine-Disorders
+ Association of Migraine Disorders
+ The Association of Migraine Disorders® strives to expand the understanding of migraine by supporting research, education, and awareness.
+
+
+
+ https://staging.giveth.io/project/FAN4Kids-(Fitness-and-Nutrition-for-Kids)
+ FAN4Kids (Fitness and Nutrition for Kids)
+ To educate and empower kids and families of all shapes and sizes about healthy eating and active lifestyles and empower them to make healthy decisions about fitness and nutrition. We help prevent the problems of poor eating and inactivity by instilling “Lessons That Last A LIFETIME.”
+
+
+
+ https://staging.giveth.io/project/Cascade-Columbia-Fisheries-Enhancement-Group
+ Cascade Columbia Fisheries Enhancement Group
+ Restoring native fish habitat through enhancement, education and community engagement.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-Broward-County-(BGCBC)
+ Boys Girls Clubs of Broward County (BGCBC)
+ To enable all young people, especially those who need us most, to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-of-Arkansas-Inc
+ Ronald McDonald House Charities of Arkansas, Inc
+ To provide a home away from home for families of children being treated at local hospitals and support programs serving children.. Donors who support our mission are individuals, local businesses, corporations, community groups, and foundations with a focus on children and families, access to healthcare, and human services. Our donors are located in the US.
+
+
+
+ https://staging.giveth.io/project/Special-Olympics-Illinois
+ Special Olympics Illinois
+ Provide year-round sports training and athletic competition in a variety of Olympic-type sports for children and adults with intellectual disabilities, giving them continuing opportunities to develop physical fitness, demonstrate courage, experience joy and participate in a sharing of gifts, skills and friendship with their families, other Special Olympics athletes and the community.
+
+
+
+ https://staging.giveth.io/project/Community-First-Foundation
+ Community First Foundation
+
+
+
+
+ https://staging.giveth.io/project/Forward-Justice
+ Forward Justice
+ Forward Justice is a law, policy, and strategy center dedicated to advancing racial, social, and economic justice by partnering with human rights organizations at the forefront of social movements in the U.S. South. Our work catalyzes success for movements and expands opportunities for people affected by injustice. The victories we achieve together accelerate national change.
+
+
+
+ https://staging.giveth.io/project/CSforALL
+ CSforALL
+ CSforALL’s mission is to make high-quality computer science an integral part of the educational experience of all K-12 students and teachers and to support student pathways to college and career success.
+
+
+
+ https://staging.giveth.io/project/Battlefield-Foundation
+ Battlefield Foundation
+ NULL
+
+
+
+ https://staging.giveth.io/project/Alight
+ Alight
+ When we find people displaced from their homes, countries or lives, we help them with their basic needs and essentials. But that is living - it is not a life. We work closely with refugees, trafficked persons, and economic migrants, to co-design solutions that help them build full and fulfilling lives.
+
+
+
+ https://staging.giveth.io/project/Harness-All-Possibilities-Inc
+ Harness All Possibilities Inc
+ HAP is focused on providing programs, mainly "Blockchain Business School" and events that reskill persons from underprivileged and underrepresented communities whose skills have been or will be displaced in the labor market due to the fast pace of digital transformation, beyond their pace to adapt. <br><br>We employ a full-cycle approach that provides an integrated education model that inspires our beneficiaries to learn, that engages professionals and community stakeholders to absorb and teach new skills, and that provides an inclusive and accessible digital space for both communities to exchange and interact - so that all HAP-supported participants build the capacity and knowledge to thrive in an increasingly digitized world and be motivated to innovate and fuel impact initiatives in respective communities so no one is left behind. Our main focus areas are blockchain, crypto, digital assets and Web3..
+
+
+
+ https://staging.giveth.io/project/MedTech-Innovator
+ MedTech Innovator
+ MedTech Innovator is the industry‚ a nonprofit global competition and accelerator for medical device, digital health, and diagnostic companies. Our mission is to improve the lives of patients by accelerating the growth of companies that are transforming the healthcare system.
+
+
+
+ https://staging.giveth.io/project/Blessings-of-Hope
+ Blessings of Hope
+ The mission at Blessings of Hope is to feed the hungry by facilitating partnerships between food suppliers and nonprofits in a way that brings God’s blessings to both. We are committed to empowering churches and ministries to build relationships in their communities through food and acts of love.
+
+
+
+ https://staging.giveth.io/project/The-Hunger-Project
+ The Hunger Project
+ Ending hunger starts with people. We at The Hunger Project know that each person has within themselves the capacity to create lasting change for their families and communities. That’s why we’ve pioneered sustainable, grassroots, women-centered strategies to end hunger and poverty. Our vision: a world where everyone leads a healthy, fulfilling life of self-reliance and dignity. BIG visions call for BOLD solutions. Join us in our mission to end hunger. Let’s make change happen.
+
+
+
+ https://staging.giveth.io/project/Wolfram-Foundation
+ Wolfram Foundation
+ To help realize the promise of computation, and support the democratization of knowledge by aggregating scientific and cultural data for future generations, as well as to facilitate the development of scientifically-based entrepreneurial endeavors.
+
+
+
+ https://staging.giveth.io/project/Toot-Wales-Inc
+ Toot Wales Inc
+ To promote the use of the Welsh language using an online format as an educational tool.
+
+
+
+ https://staging.giveth.io/project/Music-in-the-Mountains
+ Music in the Mountains
+ Our mission is to inspire, engage, and connect our community through extraordinary musical experiences.<br>• We provide transformative music by presenting inspirational concert experiences.<br>• We present accessible education programs for everyone.
+
+
+
+ https://staging.giveth.io/project/Pure-Game
+ Pure Game
+ By 2026, we will provide 100,000 youth with mentoring to help them discover pathways to success of their choosing. <br>Because kids shouldn’t have to struggle to make sense of a confusing world.
+
+
+
+ https://staging.giveth.io/project/Stand-With-A-Girl-Initiative
+ Stand With A Girl Initiative
+
+
+
+
+ https://staging.giveth.io/project/Sight-for-All-United-Inc
+ Sight for All United Inc
+ Help every person reach his/her visual potential<br>Educate the community on impact of poor eyesight<br>Awareness of eye health and vision issues<br>Lift barriers for access to care.
+
+
+
+ https://staging.giveth.io/project/IMANA
+ IMANA
+ IMANA fosters health promotion, disease prevention, and health maintenance in communities around the world through direct patient care, health programs, and advocacy.
+
+
+
+ https://staging.giveth.io/project/Western-Reserve-Academy
+ Western Reserve Academy
+ To prepare students to blaze trails in learning and life.
+
+
+
+ https://staging.giveth.io/project/Turlock-Christian-School
+ Turlock Christian School
+ At Turlock Christian School, our focus is Preparing students for college and life in the vital areas of faith, virtue and knowledge. We are committed to academic excellence and have a proud history of preparing students for outstanding college careers. Moreover, Turlock Christian’s primary goal is to prepare them to live life as Kingdom citizens, making an impact for Jesus in every role and facet of their lives.
+
+
+
+ https://staging.giveth.io/project/Action-Homeless-(Leicester)-Limited
+ Action Homeless (Leicester) Limited
+ The vision is to empower homeless people to transform their lives. Action Homeless is committed to ensuring that the range of services that it provides, from prevention through supported accommodation to resettlement, places the clients at the centre of all activity. This activity will ensure that the resources and funding are utilised to achieve an improvement in the quality of lives.
+
+
+
+ https://staging.giveth.io/project/Radiant-Church-KC-Inc
+ Radiant Church KC, Inc
+ Know God, Find Freedom, Discover Purpose, Make a Difference.
+
+
+
+ https://staging.giveth.io/project/CALL-OF-LOVE-INC
+ CALL OF LOVE INC
+ We serve through various media and outreach venues to deliver Gods message of hope and life to the Muslims in North America and globally and disclose the truth about Islam and awaken believers to Gods heart for the Muslims by providing practical tools and teachings.
+
+
+
+ https://staging.giveth.io/project/Transform-Our-World
+ Transform Our World
+ Transform Our World is a strategic alliance of pulpit and marketplace ministers who are building prototypes for transformation on every continent and in every sphere of society. We are a movement of movements connected by common core values, paradigms and principles that are transforming people and societies (or, cities and nations).
+
+
+
+ https://staging.giveth.io/project/India-Partners
+ India Partners
+ Compassionate people improving the lives of children and families suffering in poverty in India.
+
+
+
+ https://staging.giveth.io/project/Whale-and-Dolphin-Conservation-(WDC-North-America)
+ Whale and Dolphin Conservation (WDC North America)
+ Whale and Dolphin Conservations (WDC) mission is to educate people on the significant ecological role whales and dolphins play in the marine ecosystem, and inspire global action to protect them.<br>Saving whales is not simply ethical - it is essential to our survival! Emerging research confirms that whales play an integral role in our planet’s ecosystem, fertilizing the phytoplankton which produces at least half the earth’s oxygen, sequestering most of the ocean’s carbon, and forming the initial food base for all fish populations. Researchers from the University of Vermont concluded that the role of whales in the ecosystem is so significant, that their recovery can help reduce the impacts of climate change. Saving whales is a means to reduce greenhouse gases, sustain fish populations, and secure a healthy future for all.
+
+
+
+ https://staging.giveth.io/project/Refuge-for-Women-Inc
+ Refuge for Women, Inc
+ The Refuge for Women mission is to empower sexually exploited women to live a life of freedom through faith-based, residential healing programs. The hope is that every women who is sexually exploited would have the hope, support, and tools needed to pursue her dreams and live a life of freedom.
+
+
+
+ https://staging.giveth.io/project/Thrive-Womens-Clinic
+ Thrive Womens Clinic
+ THRIVE WOMEN’S CLINIC PROVIDES CUTTING-EDGE SOLUTIONS: Our life-affirming work includes outreach to women and their partners experiencing unplanned pregnancy. We operate four (4) pregnancy clinics in Dallas County with professional medical care, provide mentoring, host education programs in local schools, and more. All programs are provided at NO COST to the client.<br><br>OUR APPROACH: Babies>Families>Communities. Our clinic counselors and medical teams celebrate when a mother chooses life for her baby in our clinic, but our services have evolved into a holistic program to ensure these children are born into strong families and into a community that understands life begins at conception.
+
+
+
+ https://staging.giveth.io/project/St-Josephs-Hospitals-Foundation
+ St Josephs Hospitals Foundation
+ St. Joseph’s Hospitals Foundation inspires the community to engage in philanthropic opportunities to invest in the unique brand of care found at St. Joseph’s Hospital, St. Josephs Childrens Hospital, St. Josephs Womens Hospital, St. Josephs Hospital-North and St. Josephs Hospital-South. Community support for St. Joseph’s reflects the trust and reliance generations of patients have had with us, preserving our rich tradition of compassionate care while fueling innovation and medical excellence.
+
+
+
+ https://staging.giveth.io/project/ASAP-Foundation
+ ASAP Foundation
+ ASAP aims for a sustainable improvement of the economic, social and health conditions of villagers in Burkina Faso. To secure the future of the current generation children, ASAP has a strong focus on the development of the children, their parents and their environment. This is accomplished by projects in the fields of education, knowledge, health and economic means.
+
+
+
+ https://staging.giveth.io/project/Sachangwan-Secondary-School
+ Sachangwan Secondary School
+ To provide a holistic quality education, skills and moral values empowering the learners to become competitive and responsible citizens.
+
+
+
+ https://staging.giveth.io/project/The-DonorSee-Foundation
+ The DonorSee Foundation
+ Its our mission to build a global support network for the worlds poorest. We aim to eliminate extreme poverty by connecting happy donors to grassroots organizations through the power of story.
+
+
+
+ https://staging.giveth.io/project/Adamika-Village-Inc
+ Adamika Village Inc
+ we support families that have lost family members to community, police gun violance.
+
+
+
+ https://staging.giveth.io/project/Contemporary-Arts-Museum-Houston
+ Contemporary Arts Museum Houston
+ Contemporary Arts Museum Houston presents extraordinary, thought-provoking arts programming and exhibitions to educate and inspire audiences nationally and internationally.
+
+
+
+ https://staging.giveth.io/project/Wisconsin-Equal-Justice-Fund-Inc
+ Wisconsin Equal Justice Fund, Inc
+ WI Equal Justice Fund (WEJF) was founded in 1996 in response to the critical drop in federal funding for civil legal services for low-income individuals and families. WEJF now facilitates an annual appeal and on-going educational efforts on the civil legal services needs of Wisconsins poor. WEJF is committed to raising money and awareness of civil legal services as a social issue.
+
+
+
+ https://staging.giveth.io/project/Male-Contraceptive-Initiative
+ Male Contraceptive Initiative
+ Male Contraceptive Initiative’s mission is to empower men, and couples, to fully contribute to family planning goals by providing them the resources they need for reproductive autonomy.
+
+
+
+ https://staging.giveth.io/project/Eastwood-Ranch-Foundation
+ Eastwood Ranch Foundation
+ Our goal is to not only rescue animals from high kill shelters but to help reduce pet overpopulation and increase pet adoptions through campaigns, events, education, spay/neuter programs and rescue partnerships. We believe that by developing strategic alliances with other non-profits and rescue groups, together we can make a greater impact on animal welfare and save more lives. Eastwood Ranch Foundation is a 501(c)(3) non-for-profit organization.
+
+
+
+ https://staging.giveth.io/project/Bethany-Christian-Services
+ Bethany Christian Services
+ Right now there are 140 million kids in the world who dont have a permanent home. To us thats<br>unacceptable. And so, Bethany is on a mission to change the world through family.
+
+
+
+ https://staging.giveth.io/project/Guatemalan-Relief-Assistance-for-Childrens-Educational-Services
+ Guatemalan Relief Assistance for Childrens Educational Services
+ To provide holistic education opportunities through physical, emotional and spiritual support for children living in extreme poverty in Guatemala.
+
+
+
+ https://staging.giveth.io/project/StartOut
+ StartOut
+ StartOut’s mission is to increase the number, diversity, and impact of LGBTQ+ entrepreneurs and amplify their stories to drive the economic empowerment of the community.
+
+
+
+ https://staging.giveth.io/project/The-Atlas-Society
+ The Atlas Society
+ Founded in 1990, The Atlas Society’s mission is to share with a new generation Ayn Rand’s message that reason, individualism, achievement, benevolence, and ethical self-interest are the moral foundations for political liberty, personal happiness, and a flourishing society.Young people are consuming content in radically new ways. That is why in 2016 The Atlas Society launched an across-the-board multimedia effort to fight collectivism on moral grounds and in wildly creative ways that connect with the under-25 crowd. Our videos, social media, activism materials, and comics don’t fight collectivism by brandishing facts alone –– but by firing the imagination and connecting liberty to personal ethics.
+
+
+
+ https://staging.giveth.io/project/Ella-Baker-Center-for-Human-Rights
+ Ella Baker Center for Human Rights
+ The Ella Baker Center organizes to shift resources away from prisons and punishment towards opportunities that make our communities safe, healthy, and strong. Named after civil rights hero Ella Baker, we mobilize Black, Brown, and low-income people to build power and prosperity in our communities.
+
+
+
+ https://staging.giveth.io/project/Bradley-Angle
+ Bradley Angle
+ Bradley Angle’s mission is to serve all people affected by domestic violence. We do this by placing people experiencing, or at risk of, domestic violence at the center of our services and providing them with safety, education, empowerment, healing, and hope.
+
+
+
+ https://staging.giveth.io/project/Water-For-People
+ Water For People
+ Water For People exists to promote the development of high-quality drinking water and sanitation services, accessible to all, and sustained by strong communities, businesses, and governments.
+
+
+
+ https://staging.giveth.io/project/WANYAMA-AUTOSAFETY-INITIATIVES
+ WANYAMA AUTOSAFETY INITIATIVES
+ To improve on peoples health, promote road safety and reduce environmental pollution associated with burning fossil fuels in automobiles and industrial equipment; through creation of awareness, sensitisation and capacity building.
+
+
+
+ https://staging.giveth.io/project/GAIA-Global-Health
+ GAIA Global Health
+ GAIA believes that everyone deserves access to quality healthcare, no matter where they live or who they are. In partnership with government and local communities, we strengthen health systems by filling gaps in the healthcare grid now and increasing capacity for the long term.<br><br>We provide community-based health services and health education to<br>under-served populations in rural communities, while providing health<br>workforce development and promoting equitable deployment of frontline<br>providers.
+
+
+
+ https://staging.giveth.io/project/Born-Free-USA
+ Born Free USA
+ Born Frees vision is a future in which humans no longer exploit wild animals. We work around the globe to ensure that animals, whether living in captivity or in the wild, are treated with compassion and respect and are able to live their lives according to their needs.
+
+
+
+ https://staging.giveth.io/project/Pepperdine-University
+ Pepperdine University
+ Pepperdine is a Christian university committed to the highest standards of academic excellence and Christian values, where students are strengthened for lives of purpose, service, and leadership
+
+
+
+ https://staging.giveth.io/project/Association-Heart-for-the-Kids-with-Cancer
+ Association Heart for the Kids with Cancer
+ Our mission is to secure an active, long-lasting, and unified support to children with cancer in Bosnia and Herzegovina.<br><br>Our vision that every child in Bosnia and Herzegovina has an equal and secure upbringing.<br><br>We are a non-profit organization that offers services to children with cancer. The Association Heart for Kids with Cancer was founded in 2003 with a mission of creating best practices and opportunities in treating and supporting pediatric cancer patients and cancer survivors, as well as providing professional and financial help to children with cancer and their parents in Bosnia and Herzegovina. To this day, our ultimate focus has remained the same: providing help and support to pediatric cancer patients, survivors and their families.<br><br>Our organization has been steadily developing ever since its inception. In 2016 we have built The Parents House, a modern residential building with 10 apartments located on the premises of the Clinical Center of the University in Sarajevo, which provides housing for children undergoing therapy and their families. The Parents House functions as a separate and independent project of our Association, and is financed solely through our fundraising activities. This has solved a major problem in our field of work, as the Clinical Center of the University in Sarajevo does not have means of accommodating parents of children undergoing therapy, most of which come from areas outside of Sarajevo. <br><br>We document and closely monitor all our activities. As we are in a constant and direct contact with our clients, their feedback provides a valuable source of information for us. We use questionnaires, evaluation forms and pre/post interviews to derive quantitative and qualitative indicators in order to measure a relative success of our initiatives. All our activities are meticulously planned in advance, and monitored and evaluated along the way and retroactively. We rely extensively on short term and long term strategic planning to set the goals and objectives, and to determine the best way we use resources to tackle problems or exploit opportunities. <br><br>Since all our operations are funded through fundraising activities and institutional and individual donations, we have put a special emphasis on transparency. We conduct external financial audits and employ independent consultants for all issues of any degree of sensitivity. We are proud to boldly claim that, on account of our dedication, achievements, and our meticulous approach to work, we enjoy a complete and unreserved trust of our clients, governmental institutions and the general public in Bosnia and Herzegovina.
+
+
+
+ https://staging.giveth.io/project/Books-For-Africa-Inc
+ Books For Africa, Inc
+ Books For Africas mission is to end the book famine in Africa. BFA collects, sorts and ships donated textbooks, reference and general reading books, as well as computers and e-readers, throughout Africa. BFA has delivered over 56 million books, serving all 55 African countries since 1988.
+
+
+
+ https://staging.giveth.io/project/Prairie-View-AM-Foundation
+ Prairie View AM Foundation
+ THE PVAM Foundation, founded in 2008, is a nonprofit organization dedicated to advancing PVAMU through philanthropy. <br>Our mission is to maximize the effectiveness of contributions to support excellence in education, research, service and athletics at Prairie View A&M University.
+
+
+
+ https://staging.giveth.io/project/Teaching-Matters-Inc
+ Teaching Matters, Inc
+ For more than 25 years, Teaching Matters has supported New York City (NYC) public schools serving primarily low-income, Black, Latinx and PreK-12 students. We are a nationally recognized professional learning organization dedicated to increasing teacher effectiveness, a critical factor in student success. Our mission is to close the opportunity gap of a radically unequal education system. We envision a nation where every student has equitable access to excellent teaching, regardless of zip code.
+
+
+
+ https://staging.giveth.io/project/The-Wild-Animal-Sanctuary
+ The Wild Animal Sanctuary
+ The mission of The Wild Animal Sanctuary (TWAS) is to rescue and provide life-long homes for captive great cats, bears, wolves and other large carnivores, which have been abused, abandoned, exploited and illegally kept and to educate the public about causes and solutions to the dramatic plight of thousands of captive wildlife in the United States.
+
+
+
+ https://staging.giveth.io/project/Alcott-Center-for-Mental-Health-Services
+ Alcott Center for Mental Health Services
+ Alcotts mission is to enhance the quality of life and empower individuals faced with mental health and housing challenges as they transition toward wellness.
+
+
+
+ https://staging.giveth.io/project/PS1-Pluralisitic-School
+ PS1 Pluralisitic School
+ PS1 is a diverse community committed to an ever-evolving model of pluralistic elementary education. On a path to self-knowledge, students engage and become the best versions of themselves. They develop critical academic and interpersonal skills to be confident and passionate contributors to an increasingly connected world.
+
+
+
+ https://staging.giveth.io/project/Los-Angeles-Regional-Food-Bank
+ Los Angeles Regional Food Bank
+ To mobilize resources to fight hunger in our community.<br><br>Source and acquire nutritious food and other products and distribute them to people experiencing nutrition insecurity through our partner agency network and directly through programs;<br>Energize the community to get involved and support hunger relief;<br>Conduct hunger and nutrition education and awareness campaigns and advocate for public policies that benefit the people we serve..
+
+
+
+ https://staging.giveth.io/project/Informed-Consent-Action-Network
+ Informed Consent Action Network
+ At the Informed Consent Action Network, you are the authority over your health choices and those of your children. In a medical world manipulated by advertising and financial interests, true information is hard to find and often harder to understand. Our goal is to put the power of scientifically researched health information in your hands and to be bold and transparent in doing so, thereby enabling your medical decisions to come from tangible understanding, not medical coercion.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Taman-Cipta-Karya-Nusantara
+ Yayasan Taman Cipta Karya Nusantara
+ With regard to TCKNs Montessori school, named Lilliput World, our mission is to nurture the younger generation of pre-school age and stimulate their curiosity as they develop a love of learning and a commitment to values while realising their individual potential with the dynamic support of parents as fellow members of the learning community. The schools motto is Learn, Understand and Grow. <br><br>Our Aims are:<br> Creating a top quality educational and development environment for all children in Lilliput World with a focus on a values-based learning environment, intellectual and personal development and harmony with the natural world.<br> Walking together with children as their companions as they grow and develop, supporting them to make the most of the gifts they were born with.<br> Providing a nourishing, safe and loving environment in which children may explore, experience, express and deepen their own values and character while learning about and cultivating their sense of identity and the nations cultural values.<br> Strengthening practical and everyday life skills through routines and classroom activities so as to support the development of each childs independence and self-confidence from an early age.<br> Providing balanced, continuous and appropriate basic stimulation to create a strong foundation for the next level of education.<br> Creating a supportive space in which parents and teachers are partners and companions with each other and students as they are learning and playing so that students receive social and emotional support from parents.<br><br>With regard to TCKNs adult classes, in particular our Nusantara International Hospitality Courses, our mission is to provide practical and experiential learning opportunities for the benefit of those otherwise challenged to afford them, recognising that education is the key to the realisation of individual potential and the socio-economic development and progress of each community. <br><br>The rationale for this is that people do not need to be defined, or limited, by their socio-economic background; with drive, talent, determination and a little support they can achieve wonders. Empowering education can help them overcome challenges, remove some of the barriers to progress and prosperity potential and flourish. A major issue that holds back many younger people is the lack of access to the chance to learn skills, acquire knowledge and build capabilities that will enable them to lead productive, meaningful, creative and autonomous lives. TCKN seeks to address this need by offering low-cost learning opportunities, with a focus on practical and vocational knowledge and skills for the growing hospitality and tourism sectors of the economy. The motto for our adult education classes is Learning for a Better Life.
+
+
+
+ https://staging.giveth.io/project/Para-Los-Ninos
+ Para Los Niños
+ We believe in the children, youth, and families we serve. Our model fosters pathways to success through excellence in education, powerful families, and strong communities for children and youth to thrive.
+
+
+
+ https://staging.giveth.io/project/Arch-Grants
+ Arch Grants
+ Arch Grants mission is to build the future economy in St. Louis by attracting and retaining innovative entrepreneurs.
+
+
+
+ https://staging.giveth.io/project/VOW-for-Girls-Inc
+ VOW for Girls, Inc
+ VOW for Girls’ mission is to end child marriage by building a connected groundswell of love and support for every girl whose right to own her future is at risk.
+
+
+
+ https://staging.giveth.io/project/Cuddles-for-Clefts
+ Cuddles for Clefts
+ Our mission is to provide support and comfort to those affected by a cleft diagnosis. We provide support through our Cuddle Packs for those undergoing a cleft related surgery and also through our Cleft Diagnosis Boxes for those families receiving a cleft diagnosis for their child. Our goal is to be able to walk alongside you in your journey and remind you that you are never alone.
+
+
+
+ https://staging.giveth.io/project/Chrysalis
+ Chrysalis
+ Chrysalis serves people navigating barriers to the workforce by offering a job-readiness program, individualized supportive services, and paid transitional employment. We empower our clients on their pathway to stability, security, and fulfillment in their work and lives.
+
+
+
+ https://staging.giveth.io/project/Ballet-Fantastique
+ Ballet Fantastique
+ Ballet Fantastique (BFan) is a center for innovative dance theater in the Pacific Northwest. Established in 2000, BFan re-imagines the future of dance—building inclusive new audiences through contemporary ballet premieres, training a diverse next generation of artists (Academy), and inspiring youth through education programs that reach across traditional access barriers to reach underserved communities.
+
+
+
+ https://staging.giveth.io/project/National-Immigration-Law-Center
+ National Immigration Law Center
+ Established in 1979, the National Immigration Law Center (NILC) is one of the leading organizations in the U.S. exclusively dedicated to defending and advancing the rights of immigrants with low income.
+
+
+
+ https://staging.giveth.io/project/Lymphoma-Research-Foundation
+ Lymphoma Research Foundation
+ The Lymphoma Research Foundation’s mission is to eradicate lymphoma and serve those impacted by this blood cancer.
+
+
+
+ https://staging.giveth.io/project/NorthStar-Pet-Rescue
+ NorthStar Pet Rescue
+ In many areas of the country, especially in the South, the situation for animals is desperate: Chained outside and starving, homeless and running loose, or just simply no longer wanted and abandoned in an overburdened and underfunded facility that can’t possibly take another. For these animals, there is not much hope…except to look in the night sky for the North Star, their only way out.<br><br>We are a group of passionate volunteers committed to saving these innocent dogs and finding them a new forever home.We are 100% dedicated to operating in a safe, transparent, and ethical manner, and to ensuring the best veterinary practices are followed with regards to the care and transport of our animals. NorthStar Pet Rescue is a IRS 501(c)(3) charitable organization (EIN: 81-5348036).
+
+
+
+ https://staging.giveth.io/project/Australian-Red-Cross-Society
+ Australian Red Cross Society
+ Human dignity, peace, safety and wellbeing for all.
+
+
+
+ https://staging.giveth.io/project/Chapman-Partnership
+ Chapman Partnership
+ Provide comprehensive programs and services in collaboration with others that empower our residents with dignity and respect to overcome homelessness, and achieve and maintain long-term self-sufficiency.
+
+
+
+ https://staging.giveth.io/project/The-Andrew-McDonough-B-Foundation
+ The Andrew McDonough B Foundation
+ The Andrew McDonough B+ (Be Positive) Foundation honors the life of Andrew McDonough. Andrew battled leukemia, septic shock and complications of childhood cancer for 167 days before passing away on July 14, 2007, at the age of 14. Andrew’s B+ blood type became his family’s and friends’ motto throughout his fight against childhood cancer – to “Be Positive”. The B+ Foundation is about Kids Helping Kids Fight Cancer. With the support of many, we are the largest provider of financial assistance to families of kids with cancer in the United States. We are also a lead funder in global childhood cancer research.
+
+
+
+ https://staging.giveth.io/project/School-on-Wheels-Inc
+ School on Wheels, Inc
+ Since 1993, the mission of School on Wheels has never wavered: to enhance educational opportunities for children who are experiencing homelessness from kindergarten through twelfth grade. Our goal is to shrink the gaps in their learning and provide them with the highest level of education possible. Our program serves as a consistent support system for our students during a time of great stress and fear. <br><br>School on Wheels volunteers provide free tutoring and mentoring to children from kindergarten through twelfth grade living in shelters, motels, vehicles, group foster homes, and the streets of Southern California.<br>We train and match volunteers with our students and provide:<br><br>One-on-one weekly tutoring<br>School supplies<br>Assistance in entering school<br>Scholarships<br>Parental support<br>A learning center on Skid Row
+
+
+
+ https://staging.giveth.io/project/Adventure-Unlimited
+ Adventure Unlimited
+ Adventure Unlimited was established as a nonprofit organization in 1955 with the mission of “Opening Windows to God.” Our purpose is to provide recreational adventure, leadership, service, education and community activities that foster spiritual growth and healing in an environment where Christian Science is lived.
+
+
+
+ https://staging.giveth.io/project/Chimpanzee-Sanctuary-Wildlife-Conservation-Trust
+ Chimpanzee Sanctuary Wildlife Conservation Trust
+ To sustainably conserve chimpanzees in their natural habitats and provide optimum captive care to those that can not survive in the wild
+
+
+
+ https://staging.giveth.io/project/Truman-Heartland-Community-Foundation
+ Truman Heartland Community Foundation
+ Truman Heartland Community Foundation (THCF) is a 501(c)3 public charity committed to improving the communities in and around Eastern Jackson County through cooperation with community members and donors, putting their philanthropic vision into effect.
+
+
+
+ https://staging.giveth.io/project/Doctors-Without-Borders
+ Doctors Without Borders
+ The mission of Doctors Without Borders/Médecins Sans Frontières (MSF) is to provide impartial medical relief to the victims of war, disease, and natural or man-made disaster, without regard to race, religion, or political affiliation.
+
+
+
+ https://staging.giveth.io/project/Los-Angeles-Police-Foundation
+ Los Angeles Police Foundation
+ The mission of the Los Angeles Police Foundation (LAPF) is to create partnerships to provide resources and programs that help the police perform at their highest level and to enhance Los Angeles Police Department (LAPD)-community relations.
+
+
+
+ https://staging.giveth.io/project/Shooting-Touch
+ Shooting Touch
+ Shooting Touch is a global sport-for-development organization whose mission is to use the mobilizing power of basketball to bridge health and opportunity gaps for youth and women facing racial, gender, and economic inequalities.
+
+
+
+ https://staging.giveth.io/project/Mobilize-Love
+ Mobilize Love
+ Mobilize Love exists to show up and give kids hope. We do this by providing mobile after-school programs and human services to underserved families and communities. Our fleet of trucks includes a food truck, laundry truck, stories truck, and after-school program truck. Join us at: mobilizelove.org or on Instagram @mobilizelove
+
+
+
+ https://staging.giveth.io/project/Happy-Paw
+ Happy Paw
+ The main goal of our activity is to free the streets of our country from homeless dogs exclusively by the humane means. Safer streets, better health of people and animals are the things we want to achieve.<br>Our global goal is for every homeless animal to have a home and for people to treat animals responsibly.<br>Currently, during the active hostilities in Ukraine, our activities are aimed at providing animals from the war zone with food and basic necessities, evacuation of animals, as well as their treatment.
+
+
+
+ https://staging.giveth.io/project/Action-for-Autism
+ Action for Autism
+ VISION: A society that views the interdependence of people of every ability as valuable and enriching and seeks to provide equal opportunities for all. <br><br>MISSION: To facilitate a barrier free environment; enable the empowerment of persons with autism and their families; and act as a catalyst for change that will enable persons with autism to live as fully participating members of the community.
+
+
+
+ https://staging.giveth.io/project/Civics-Unplugged
+ Civics Unplugged
+ Civics Unplugged is a 501(c)(3) social enterprise founded in 2019 that empowers leaders of Gen Z with the training, funding, and network they need to become civic innovators that build a brighter future for humanity.
+
+
+
+ https://staging.giveth.io/project/Conservative-Partnership-Institute
+ Conservative Partnership Institute
+ The Conservative Partnership Institute (CPI) is dedicated to providing a platform for citizen leaders, the conservative movement, Members of Congress, congressional staff and scholars to be connected. The Organization works to provide these leaders with the tools, tactics, resources and strategies to help make them more successful in advancing conservative policy solutions.
+
+
+
+ https://staging.giveth.io/project/Maui-Humane-Society
+ Maui Humane Society
+ Maui Humane Society’s mission is to protect and save the lives of Maui’s animals, accepting all in need, educating the community, and inspiring respect and compassion towards all animals.
+
+
+
+ https://staging.giveth.io/project/350-Org
+ 350 Org
+ 350.org’s mission is to inspire, train and mobilize people to join a broad and diverse climate movement that challenges the systems that lead to catastrophic climate change and brings the world closer to a just and sustainable future.
+
+
+
+ https://staging.giveth.io/project/Educare-Fund
+ Educare Fund
+ Educare Fund supports needy families in Lesotho to enable them to keep their bright girl children in high school in order to ensure that these girls can gain better access to higer education and improved job opportunities. Educare Fund works in partnership with families who already have girls in high schools in various parts of the country by topping up the school fees for each girl. The family pays half the school fees and Educare Fund pays the balance. This is to make sure that the famlilies retain a stake in the education of the girls we support. We feel very strongly about this parnership as we feel it reinforces self-determination locally. The principal goal is the further empowerment of women in Lesotho so that they can play a part in society with greater confidence. Although the current focus is high schoool education which is often a stumbling block for some girls from poor families who do not qualify for govenment support, the charity would like to be in a position to offer scholarships for college and university level.
+
+
+
+ https://staging.giveth.io/project/Learn-Fresh
+ Learn Fresh
+ Through community, play, and rigorous exploration, our programs leverage students’ passion for sports and entertainment to inspire their STEM and social-emotional learning. Our programs explicitly focus on achieving equitable representation in STEM fields for girls, students of color, and those living in low-income communities.
+
+
+
+ https://staging.giveth.io/project/All-Star-Code
+ All Star Code
+ All Star Code is a nonprofit computer science organization that creates economic opportunities for young men of color by developing an entrepreneurial mindset and supplying them with the tools they need to succeed in the innovation economy.
+
+
+
+ https://staging.giveth.io/project/The-Butterfly-Tree
+ The Butterfly Tree
+ The Butterfly Trees aim is to improve the lives of vulnerable people living in remote villages in Zambia. To advance the education and improve the facilities in rural schools, giving every child a chance to be educated. To protect the health of patients by developing the rural clinics offering support sevices, medical supplies and equipment. To relieve poverty and improve the living conditions of socially disadvantaged communities teaching them how to become sustainable.
+
+
+
+ https://staging.giveth.io/project/The-Farmlink-Project
+ The Farmlink Project
+ Farms throw away billions of pounds of fresh food every year, while nearly 54 million Americans are facing food insecurity. This crisis affects all of us, because food waste is the third largest emitter of greenhouse gases behind the U.S. and China. By helping farmers deliver their extra produce to families facing food insecurity, Farmlink is leading the way to a new food system that is environmentally sustainable.
+
+
+
+ https://staging.giveth.io/project/My-City-Church
+ My City Church
+ We are united under no other name, but the name of Jesus. More than any method or personal preference, we are focused on Jesus and His message and the great commission. Our passion is to connect with people. We make no apologies for being focused on reaching the lost. We go out of our way to create an atmosphere where others can belong, believe, and be transformed.
+
+
+
+ https://staging.giveth.io/project/Lambs-Chapel-Christian-Outreach-Ministries-Inc
+ Lambs Chapel Christian Outreach Ministries Inc
+
+
+
+
+ https://staging.giveth.io/project/Foundation-at-New-Jersey-Institute-of-Technology-(NJIT)
+ Foundation at New Jersey Institute of Technology (NJIT)
+ NJIT, the state’s public polytechnic research university, is committed to excellence and global impact through:<br><br>Education—preparing diverse students for positions of leadership as professionals and as citizens through innovative curricula, committed faculty, and expansive learning opportunities.<br><br>Research—advancing knowledge to address issues of local, national, and global importance with an emphasis on high impact basic, applied, and transdisciplinary scholarship.<br><br>Economic development—anticipating the needs of business, government, and civic organizations to foster growth, innovation, and entrepreneurship<br><br>Engagement—applying our expertise to build partnerships, serve our community, and benefit society as a whole.<br><br>These four elements guide NJIT in contributing solutions for the grand challenges of the future and improving the quality of life today.
+
+
+
+ https://staging.giveth.io/project/Associacao-para-Protecao-das-Criancas-e-Adolescentes-Cepac
+ Associacao para Protecao das Criancas e Adolescentes - Cepac
+ Assist children, adolescents and adults in situations of social vulnerability in Barueri, facilitating access to rights through the development of autonomy, fostering culture and professional qualification.
+
+
+
+ https://staging.giveth.io/project/A-T-Childrens-Project
+ A-T Childrens Project
+ Ataxia-telangiectasia (A-T) is a genetic disease that causes loss of muscle control and balance, cancer, lung disease and immune system problems in children and young adults, shortening their lives. The A-T Children’s Project partners with academic and industry investigators worldwide – organizing and supporting innovative research, conferences, clinical teams, data platforms and biomarkers – to optimize disease management strategies, develop new treatments and find a cure.
+
+
+
+ https://staging.giveth.io/project/Creative-Church
+ Creative Church
+ Showing Gods love in creative ways so that people have the courage to own their story.
+
+
+
+ https://staging.giveth.io/project/Holistic-Life-Foundation-Inc
+ Holistic Life Foundation Inc
+ The Holistic Life Foundation (HLF) is a registered non-profit 501(c) (3) in Baltimore, Maryland that performs human and environmental health programs to demonstrate the interconnectedness people have with the environment in which they live.
+
+
+
+ https://staging.giveth.io/project/Rx-ART-Inc
+ Rx ART, Inc
+ The Mission of RxART is to help children heal through the extraordinary power of visual art. RxART commissions established contemporary artists to transform children’s hospital settings into engaging and uplifting healing environments at no cost to the hospitals. Each commissioned artist is provided with an honorarium, the opportunity to create a public installation with purpose, and the chance to transform the lives of children as they heal.
+
+
+
+ https://staging.giveth.io/project/I-Will-Share-Association
+ I Will Share Association
+ The Association holds on to Jesus Christs teaching that one should love their neighbors as themselves, integrates resources and professionals from the public and other groups to promote public welfare and support the poor and under-privileged families and communities, and engages in charitable and relief services. The Association expects itself to motivate the public to help and share with others so that this movement can become the conscience of Taiwan and the force to drive the society forward.
+
+
+
+ https://staging.giveth.io/project/El-Pozo-de-Vida
+ El Pozo de Vida
+ El Pozo de Vida is a NGO that fights against human trafficking in Mexico and Central America. We are committed to bringing freedom to past, current, and potential victims of this crime through our prevention, intervention, and restoration processes.
+
+
+
+ https://staging.giveth.io/project/Project-Phil
+ Project Phil
+ We are on a mission to end the vicious cycle of poverty that has plagued the Philippines for generations. We believe every Filipino student deserves a quality education and every Filipino family deserves access to food, medicine and the essentials necessary to live a dignified life. Our charitable programs award scholarships to deserving students and deliver humanitarian aid and support to communities living in extreme poverty.
+
+
+
+ https://staging.giveth.io/project/Orange-County-Community-Foundation
+ Orange County Community Foundation
+ We inspire a passion for lifelong philanthropy, faithfully steward the intentions of our donors and catalyze sustainable community impact.
+
+
+
+ https://staging.giveth.io/project/First-Book
+ First Book
+ First Book is an award-winning nonprofit social enterprise that is dedicated to removing barriers to equitable education for children living in low-income communities.
+
+
+
+ https://staging.giveth.io/project/White-Stork-United-States-Ltd
+ White Stork - United States, Ltd
+ White Stork is a veteran-led, rapid response, humanitarian organization that takes its name from the national bird of Ukraine. We are propelled by our strategic formal relationships with Ukrzaliznytsia (Ukrainian Railways), Ukrposhta (Ukrainian Post Office), and the Ukrainian Congress Committee of America (UCCA).
+
+
+
+ https://staging.giveth.io/project/Baker-Industries-Inc
+ Baker Industries, Inc
+ We provide hope! Each year, adults with significant barriers to employment such as parole/probation, substance use disorder, disability and homelessness find paid work, training and caring support at Baker Industries. Through steady work and expert guidance, we help vulnerable adults reach their potential in good jobs with good companies – changing their lives and strengthening families and communities.
+
+
+
+ https://staging.giveth.io/project/Movement-for-Black-Lives
+ Movement for Black Lives
+ The Movement for Black Lives (M4BL) formed in December of 2014, was created as a space for Black organizations across the country to debate and discuss the current political conditions, develop shared assessments of what political interventions were necessary in order to achieve key policy, cultural and political wins, convene organizational leadership in order to debate and co-create a shared movement wide strategy. Under the fundamental idea that we can achieve more together than we can separately.
+
+
+
+ https://staging.giveth.io/project/The-Fred-Hollows-Foundation
+ The Fred Hollows Foundation
+ The Foundation’s vision is for a world where no person is needlessly blind or vision impaired. It continues the work of the late Professor Fred Hollows, a globally-renowned eye surgeon who believed everyone should have access to high-quality affordable eye care, no matter where they live.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-for-the-Alleghenies
+ Community Foundation for the Alleghenies
+ For more than 30 years, CFA has been working to benefit our region through strategic grantmaking—and by connecting donors with opportunities to make an impact. Our mission is to empower everyone in our community to understand how their philanthropy can leave a lasting legacy in our region.
+
+
+
+ https://staging.giveth.io/project/ETV-Endowment-of-South-Carolina
+ ETV Endowment of South Carolina
+ The ETV Endowment of South Carolina is a 501(c)(3) nonprofit founded in 1977 that provides funding for programming broadcast on South Carolina ETV, South Carolina Public Radio and other public media stations.
+
+
+
+ https://staging.giveth.io/project/NC-Coastal-Land-Trust
+ NC Coastal Land Trust
+ The Coastal Land Trust conserves lands with scenic, recreational, historic and/or ecological value in the Coastal Plain of North Carolina. Our mission is to enrich the coastal communities of our state through conservation of natural areas and working landscapes, education, and the promotion of good land stewardship. were saving the places you love in coastal North Carolina. We protect lands and waterways where you hike, paddle, swim, play and make memories with your family. We are your local Land Trust, and as a nonprofit organization, your donations, time, energy and ideas will make a difference right here in eastern North Carolina — helping to meet the challenges of protecting the rich natural heritage of the coast for today and for future generations.
+
+
+
+ https://staging.giveth.io/project/The-Chick-Mission-Inc
+ The Chick Mission, Inc
+ Our mission is to ensure every young woman newly diagnosed with cancer has the option to preserve fertility through direct financial support, educational programs, and advocacy for legislative change.
+
+
+
+ https://staging.giveth.io/project/Rockflower-Partners
+ Rockflower Partners
+ Rockflower is a global venture philanthropy fund that provides catalytic funding to civil society organizations and social enterprises in emerging economies seeking to improve and elevate the lives of women and girls and, by extension, their communities.
+
+
+
+ https://staging.giveth.io/project/Bradley-Impact-Fund
+ Bradley Impact Fund
+ The Bradley Impact Fund is a donor-advised fund with a mission to serve as philanthropic advisors who educate, empower, and inspire donors to advance our common principles through high-impact giving and the protection of donor intent.
+
+
+
+ https://staging.giveth.io/project/Bottomless-Closet
+ Bottomless Closet
+ Bottomless Closet’s mission is to be the connection that inspires and guides disadvantaged New York City women to enter the workforce and achieve success.
+
+
+
+ https://staging.giveth.io/project/Legacy-Nashville
+ Legacy Nashville
+ Legacy is not only a church—we’re a family, a community of Christian believers who are very passionate about Jesus and His mandate to love God, love people, and change the world by advancing His Kingdom.
+
+
+
+ https://staging.giveth.io/project/Shania-Kids-Can
+ Shania Kids Can
+ Providing children with services and support that promote positive change in<br>times of crises and economic hardship.
+
+
+
+ https://staging.giveth.io/project/HADI-IslamiCity
+ HADI-IslamiCity
+ Our mission is to blend technologies, sciences, and social sciences to provide education and information resources that assist in the development of mutual understanding, respect and cooperation for a more engaged and cohesive global society.
+
+
+
+ https://staging.giveth.io/project/Relief-International
+ Relief International
+ Relief International partners with communities in some of the most fragile and hard-to-reach places in the world; provide life-saving and life-changing programs that relieve poverty, ensure well-being, and advance dignity. We work alongside these communities to plan programs with their input, because programs designed, built and judged by the community they serve are more likely to succeed. And we stay in these communities for as long as we are needed – often for over a decade. Today, we operate in 15 countries around the world, providing vital services for hundreds of thousands of people each year.
+
+
+
+ https://staging.giveth.io/project/Oceans-Church
+ Oceans Church
+ To see every person KNOW GOD find freedom discover purpose make a difference.
+
+
+
+ https://staging.giveth.io/project/VIVE-Church
+ VIVE Church
+ Pastors Adam and Keira Smallcombe moved in response to the call of God to plant a church in Silicon Valley – and through their step of faith, VIVE Church was born, which currently has ten locations across the world. They encouraged an innovative and bold culture, which resulted impacting many peoples perceptions of church. A Bay Area wide campaign, “Not Religious? Neither Are We." was launched to start the church. The campaign ended up having a global effect as many were challenged by the powerful message of a God who wants relationship and not just religious traditions.
+
+
+
+ https://staging.giveth.io/project/San-Francisco-Sailing-Science-Center
+ San Francisco Sailing Science Center
+ The Sailing Science Center’s mission is to inspire a passion for sailing and science by delighting people through discovery and play. The Sailing Science Center engages a diverse community through interactive learning exhibits which attract “kids” 5 to 95 with the lure, fun, excitement, adventure, and curiosity of sailing. We aim to create exhibits with strong STEAM (i.e., science, technology, engineering, art, and math) education underpinnings and operate the exhibits at community events and a future permanent interactive science museum framed around sailing.
+
+
+
+ https://staging.giveth.io/project/Denver-Childrens-Home
+ Denver Childrens Home
+ Denver Childrens Home restores hope and health to traumatized children and families through a comprehensive array of therapeutic, educational and community-based services.
+
+
+
+ https://staging.giveth.io/project/Childrens-Hospital-Colorado-Foundation
+ Childrens Hospital Colorado Foundation
+ Childrens Hospital Colorado Foundation is 501(c)(3) organization established in 1978 dedicated solely to advancing the mission of Childrens Hospital Colorado, one of the top childrens hospitals in the country as ranked by U.S. News & World Report.
+
+Childrens Colorado Foundation has three purposes:
+1. To educate and engage with the community on the hospitals behalf
+2. To fundraise for the hospital
+3. To steward funds raised for children and families who need Childrens Colorado
+
+We believe all children should have the chance for a healthy future. We are committed to community engagement and facilitating philanthropic support on behalf of the children and families Childrens Colorado serves across the Rocky Mountain region and throughout the world.
+
+
+
+ https://staging.giveth.io/project/New-York-City-Urban-Debate-League
+ New York City Urban Debate League
+ We create equitable access to academic debate opportunities with a focus on students of color and students from other historically underserved communities in New York City to empower the next generation of diverse, informed, and courageous leaders.
+
+
+
+ https://staging.giveth.io/project/Alhassan-Foundation-for-Differently-Abled-Inclusion
+ Alhassan Foundation for Differently Abled Inclusion
+ Background: After a tragic car accident in 2011 that resulted in having an 18 year old young teenager to be a wheelchair user; his mother along with a group of 13 friends decided to make a difference when it comes to physical disability in Egypt and the Middle East after the challenges they faced and still are. <br><br>Vision: To be the pioneering developmental organization that is changing societys perception towards PWDs, and shedding the light on their potentials & capabilities, and even changing the misconception throughout Egypt & the MENA region in physically challenged peoples mind to believe in being DIFFERENTLY ABLED.<br><br> Mission: Leading the DIFFERENTLY ABLED persons to the ultimate level of physical & financial independence, which pave the way for reaching to the highest tier of inclusion & integration in society through participating in our diversified projects that aim to create innovative solutions in accordance with the latest international practices in this field.<br><br>1. Nurturing "YES I CAN" attitude among wheelchair users and their families 2. Changing societys mindset regarding viewing a wheelchair user as "disabled" to be "differently abled" 3. Involving the right mix of corporations, governmental entities, global organisations and individuals to achieve our vision. 4. Provide a franchised rehabilitation centres similar to those in Germany & UK. 5. Represent a franchised wheelchair factory. 6. Quality rehabilitation and reoccupation for wheelchair users changes individuals to be of value added to society rather than a burden. 7. Successful and positive wheelchair users are Alhassan Foundation represents and 1st line. 8. Think regional. 9. Improved living facilities e.g. ramps, equipped cars, buses etc 10. 5% hiring among companies & SME projects for less educated. 11. Promote & enhance suitable sports activities. (Tennis; Basket; Bow/Arrow; Swimming; Table Tennis..etc) 12. Supporting humans with disabilities should be a "sustained constitutional right" and not optional service or charity in Egypt. 13. Translate/support writing books that represent physical challenges to be reference for others in Egypt & Middle East. 14. Humans with challenges deserve not only to live, but to live happily. <br> Values: To believe and follow principles of integrity, humanity, diversity, including and accepting others in all aspects of interaction and dealing. To be a committed, caring and responsible establishment of founders, board members, sponsors and volunteers. To ensure cost effectiveness with emphasis on quality. Society development foundation rather then charity. No political, sexual, racial, ethnic or religious direction. We serve humans aside from their beliefs.
+
+
+
+ https://staging.giveth.io/project/Food-Share-of-Ventura-County
+ Food Share of Ventura County
+ Food Share is dedicated to leading the fight against hunger in Ventura County.
+
+
+
+ https://staging.giveth.io/project/ROMANIAN-LEAGUE-IN-DEFENSE-OF-ANIMALS
+ ROMANIAN LEAGUE IN DEFENSE OF ANIMALS
+ To assist, encourage, support and promote animal protection. We rescue animals that are abused, abandoned or injured. Our goal is to find permanent, loving homes for as many of our rescued animals as possible. Humane education activities, sterilization programs and finding long term solutions to the problem of animal overpopulation are another important component of what we do. We are investing in social programs to support seniors and people with low income who care about their pets.
+
+We are proud that our shelters have consistently been recognized as some of the best. We seek to increase public awareness in Romania and around the world, as to the plight of animal suffering in our communities. We actively encourage anyone from anywhere, to join us as a volunteer at our center in Galati.
+
+
+
+ https://staging.giveth.io/project/Lydia-Home-Association
+ Lydia Home Association
+ LYDIA provides HOPE, HEALING, and HOME to children in foster care. LYDIA Home Association is a Christian, nonprofit organization that has been serving children in Chicago since 1916. Our mission is to strengthen families to care for children and to care for children when families cannot. Our programs are meant to both serve youth in care and be a blessing to families in our local community.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-for-San-Benito-County
+ Community Foundation for San Benito County
+ Dedicated to building a stronger community and enhancing the quality of life in San Benito County through the support of philanthropic activities.
+
+
+
+ https://staging.giveth.io/project/Diversity-in-Blockchain
+ Diversity in Blockchain
+ Diversity in Blockchain Inc. (DiB) is a nonprofit organization committed to creating equal, open and inclusive opportunities in the blockchain industry. Our mission is to empower everyone from all walks of life to engage with blockchain technology in order to ensure equal participation and distribution. True innovation includes everyone. Through education, discussion, and engagement we can build a support network as revolutionary as the blockchain itself.
+
+
+
+ https://staging.giveth.io/project/Childrens-Minnesota-Foundation
+ Childrens Minnesota Foundation
+ We champion the health needs of children and families. We are committed to improving children’s health by providing the highest-quality, family-centered care, advanced through research and education.
+
+
+
+ https://staging.giveth.io/project/Stop-The-Violence
+ Stop The Violence
+ Bring awareness and resources to aid in the prevention of and intervention of violence. STV supports all efforts working toward the education, prevention, and elimination of Violence and its emotional scars in children and adults.
+
+
+
+ https://staging.giveth.io/project/BLOOM-Charity
+ BLOOM Charity
+ BLOOM Charity is a US 501(c)(3) nonprofit that improves the lives of children living in Moroccan orphanages through projects that support early childhood development and mental health.
+
+
+
+ https://staging.giveth.io/project/Zero-Abuse-Project
+ Zero Abuse Project
+ To protect children from abuse and sexual assault, by engaging people and resources through a trauma-informed approach of education, research, advocacy, and advanced technology.
+
+
+
+ https://staging.giveth.io/project/The-Resting-Place-Church
+ The Resting Place Church
+ We exist for the lost to be found, the found to be free, and for peace to reign.<br>Our core values are to honor everyone, empower everyone, and have faith for everyone.
+
+
+
+ https://staging.giveth.io/project/Wyoming-Stock-Growers-Land-Trust
+ Wyoming Stock Growers Land Trust
+ To conserve Wyoming’s working agricultural lands, which also provide open space, wildlife habitat, and other environmental benefits for future generations. We accomplish this mission by working with private landowners to conserve lands across Wyoming through voluntary conservation easements. We have protected almost 300,000 acres of open space and agricultural lands since our founding in 2000.
+
+
+
+ https://staging.giveth.io/project/Coeur-De-Foret
+ Coeur De Foret
+ Planter des arbres ; preserver les populations forestieres ; faciliter la creation de filieres de commerce equitable ; sensibiliser lopinion planetaire a la preservation du patrimoine forestier.
+
+
+
+ https://staging.giveth.io/project/Croix-Rouge-francaise-Unite-Locale-de-Quimper
+ Croix-Rouge francaise Unite Locale de Quimper
+
+
+
+
+ https://staging.giveth.io/project/Sharsheret
+ Sharsheret
+ Sharsheret, a national non-profit organization, improves the lives of Jewish women and families living with or at increased genetic risk for breast or ovarian cancer through personalized support and saves lives through educational outreach.<br>While our expertise is in young women and Jewish families as related to breast cancer and ovarian cancer, Sharsheret programs serve all women and men.
+
+
+
+ https://staging.giveth.io/project/Rhode-Island-Community-Food-Bank
+ Rhode Island Community Food Bank
+ Our Mission<br>To improve the quality of life for all Rhode Islanders by advancing solutions to the problem of hunger.<br><br>Our Vision<br>We envision a state where no one goes hungry.
+
+
+
+ https://staging.giveth.io/project/Malala-Fund
+ Malala Fund
+ Malala Fund is working for a world where every girl can learn and lead. Founded by activist and Nobel laureate Malala Yousafzai, we champion every girl’s right to 12 years of free, safe, quality education.
+
+
+
+ https://staging.giveth.io/project/Building-Beats
+ Building Beats
+ Building Beats facilitates Music Production workshops that teach entrepreneurial, leadership, and life skills to underserved youth in New York City. We envision a world where any individual, regardless of their origin, can pursue their passion and build a career out of it. To realize this vision, we empower youth to become self‑sufficient, creative producers that benefit their communities.
+
+
+
+ https://staging.giveth.io/project/PathStone-Foundation
+ PathStone Foundation
+ The primary mission of the PathStone Foundation is to raise funds to support the activities and mission of PathStone Corporation a visionary, diverse organization empowering individuals, families and communities to attain economic and social resources for building better lives.
+
+
+
+ https://staging.giveth.io/project/Veterans-Bridge-Home
+ Veterans Bridge Home
+ Veterans Bridge Home connects Veterans and their families, in any state of transition, to the community. Through our network of partners, we help Veterans navigate employment, create social connections, and settle their families. We look at the whole Veteran and connect them to the resources needed to be successful and thriving leaders in our community.<br><br>Organized as a 501(c)(3) in 2011, Veterans Bridge Home was one of the nation’s first veteran-serving organizations dedicated to harnessing the power of communities to connect Veterans and their families with the services, careers, and supports they need to continue to succeed after their service to our nation. Since the founding, VBH has been a national leader in this work, helping more than 10,000 individuals connect with more than 25,000 unique services including housing support, employment readiness, financial assistance and over 20 other human service needs. <br><br>According to the data collected by Syracuse University’s Institute for Veterans and Military Families, these numbers lead the nation among all of the organizations they track doing similar work. Recognizing their success in the Charlotte, N.C. region, in 2021 North Carolina’s Department of Health and Human Services asked VBH to expand their work across the state’s major metropolitan regions to ensure more veterans had access to this kind of tailored, locally-based care model.
+
+
+
+ https://staging.giveth.io/project/Gay-Mens-Health-Crisis-Inc
+ Gay Mens Health Crisis Inc
+ GMHC fights to end the AIDS epidemic and uplift the lives of all affected.
+
+
+
+ https://staging.giveth.io/project/Muttville-Senior-Dog-Rescue
+ Muttville Senior Dog Rescue
+ Muttville’s mission is to give senior dogs a second chance at life. We rescue them, give them the care they need, find them loving homes, and spread the word about how WONDERFUL they are!
+
+
+
+ https://staging.giveth.io/project/Decentralized-Pictures-Foundation-Inc
+ Decentralized Pictures Foundation, Inc
+ Decentralized Pictures (DCP) is a 501c(3) nonprofit organization seeking to discover new and innovative filmmaking talent. A decentralized and democratic film fund that allows a community of creatives, film fans, and industry professionals to decide who is most deserving of support. Submit your film idea, and if the world loves it, we’ll help you make it.<br><br>We love to discover new film talent, and hope you do too!
+
+
+
+ https://staging.giveth.io/project/Women-Employed
+ Women Employed
+ The mission of Women Employed is to improve the economic status of women and remove barriers to economic equity. Women Employed has one passion: to make life better for working women. We believe that all women deserve full and fair economic opportunities. That means better career options and higher pay, more opportunities for training and education, and strict enforcement of fair employment laws. Women Employed is a leading national advocate for womens economic advancement. We analyze workplace issues, educate policy makers, and build support to improve opportunities and incomes. Since 1973, Women Employed has fought to outlaw pay discrimination, pregnancy discrimination and sexual harassment and to strengthen federal equal opportunity policies and work/family benefits.
+
+
+
+ https://staging.giveth.io/project/The-Exodus-Road-Inc
+ The Exodus Road, Inc
+ We disrupt the darkness of modern-day slavery by partnering with law enforcement to fight human trafficking crime, equipping communities to protect the vulnerable, and empowering survivors as they walk into freedom.
+
+
+
+ https://staging.giveth.io/project/Kipp-NYC
+ Kipp NYC
+ KIPP NYC is a network of free open-enrollment public college-preparatory schools located in underserved communities in New York City. Together with families and communities, we create joyful, academically excellent schools that prepare students with the skills and confidence to pursue the paths they choose—college, career, and beyond—so they can lead fulfilling lives and create a more just world. Our vision is that every child grows up free to create the future they want for themselves and their communities.
+
+
+
+ https://staging.giveth.io/project/Lighthouse-Youth-Family-Services
+ Lighthouse Youth Family Services
+ The mission of Lighthouse Youth & Family Services is to empower young people and families to succeed through a continuum of care that promotes healing and growth. Lighthouse offers an integrated, trauma-informed system of care for ages 0-24. This includes mental health services, emergency shelter, youth housing, community juvenile justice services, residential treatment, and foster care and adoption.
+
+
+
+ https://staging.giveth.io/project/The-Catholic-Foundation-of-Greater-Philadelphia
+ The Catholic Foundation of Greater Philadelphia
+ The Catholic Foundation of Greater Philadelphia (CFGP) is an independent, nonprofit community foundation committed to growing philanthropy according to the teachings of Jesus Christ. Grounded in the principles of faith and service, CFGP meets the diverse needs of donors and Catholic institutions through charitable fund management and development consulting. Our services ensure an investment in the future of our faith.
+
+
+
+ https://staging.giveth.io/project/The-Foundation-for-Art-and-Blockchain
+ The Foundation for Art and Blockchain
+ The Foundation for Art & Blockchain (FAB) provides funding, promotion, education, and credibility to creators working at the intersection of blockchain and creativity. FABs purpose is to empower creators to manifest authentic art through decentralized technology, in order to increase the creative capacity of the world.
+
+
+
+ https://staging.giveth.io/project/Renaissance-Charitable-Foundation-Inc
+ Renaissance Charitable Foundation Inc
+ RCF established in 2000, RCF provides a custom donor-advised solution utilizing the philanthropic software platform DFX with complete administration including charity vetting and grant distribution. RCF supports more than $2 billion in donor-advised fund assets for financial firms and nonprofit organizations throughout the United States.
+
+
+
+ https://staging.giveth.io/project/Institute-for-Justice
+ Institute for Justice
+ Through strategic litigation, training, communication and outreach, the Institute for Justice advances a rule of law under which individuals can control their destinies as free and responsible members of society.
+
+
+
+ https://staging.giveth.io/project/Soldiers-Angels
+ Soldiers Angels
+ The mission of Soldiers’ Angels is to provide aid, comfort, and resources to the military, veterans, and their families.
+
+
+
+ https://staging.giveth.io/project/Association-for-Creatine-Deficiencies
+ Association for Creatine Deficiencies
+ ACD™ mission is to provide patient, family, and public education. To advocate for early intervention through newborn screening, to promote and fund medical research for treatments and cures for Cerebral Creatine Deficiency Syndromes (CCDS).<br><br>Our vision is to have effective treatments and newborn screening for all three CCDS while providing community support. In this future, the rare disease diagnostic odyssey changes from seven years to seven days to treatment, and all CCDS patients achieve their potential.
+
+
+
+ https://staging.giveth.io/project/Innovation-Studio
+ Innovation Studio
+ Our mission is to democratize innovation by cultivating relationships and providing resources for anyone to successfully launch and grow a business.
+
+
+
+ https://staging.giveth.io/project/The-Museum-of-Contemporary-Art-(MOCA)
+ The Museum of Contemporary Art (MOCA)
+ Established in 1979, we are the only artist-founded museum in Los Angeles. We are dedicated to collecting and exhibiting contemporary art. We house one of the most compelling collections of contemporary art in the world, comprising roughly 7500 objects, and have a diverse history of ground-breaking, historically-significant exhibitions.
+
+
+
+ https://staging.giveth.io/project/Equip-Foundation-Inc
+ Equip Foundation Inc
+ Empowering Salt & Light Leaders to Catalyze Spiritual Transformation
+
+
+
+ https://staging.giveth.io/project/GRACE-Gorillas
+ GRACE Gorillas
+ GRACEs mission is to provide excellent care for rescued Grauer’s gorillas and work alongside Congolese communities to promote the conservation of wild gorillas and their habitat.
+
+
+
+ https://staging.giveth.io/project/National-Cryptologic-Foundation
+ National Cryptologic Foundation
+ The National Cryptologic Foundation strives to inform about the contributions made to the national security of the United States by the Signals Intelligence and Information Assurance Services, to educate the public and student about the importance of cyber and cybersecurity, and to commemorate the men and women who have participated in important national security activities. Our objective is to support museum endeavors and help build a new world class institution, to educate the public, stimulate public engagement by serving as a venue for robust proactive dialogue on issues of cyber policy, technology and privacy, to bridge the gap between government and entrepreneurs, to promote innovation and to commemorate those who served in silence.
+
+
+
+ https://staging.giveth.io/project/Cyber-Bytes-Foundation
+ Cyber Bytes Foundation
+ The mission of Cyber Bytes Foundation is to establish and sustain a unique cyber ecosystem to produce education, innovation, and outreach programs responsive to our national security challenges.
+
+
+
+ https://staging.giveth.io/project/Red-Tent-Womens-Initiative
+ Red Tent Womens Initiative
+ The mission of the Red Tent Women’s Initiative is providing incarcerated and at-risk of incarceration women skills to heal and improve their lives through trauma informed programs.
+
+
+
+ https://staging.giveth.io/project/Human-I-T
+ Human-I-T
+ At Human-I-T, we create equitable access to opportunity by providing devices, internet access, digital skills training, and tech support for communities left on the wrong side of the digital divide—while at the same time, empowering businesses and organizations to do good by diverting technology from landfills to protect our planet. We believe access to technology is a right, not a privilege. It’s what allows people to study remotely, apply for jobs, attend telehealth appointments, connect with distant family, or explore new ideas and perspectives.
+
+
+
+ https://staging.giveth.io/project/Center-for-Excellence-in-Education
+ Center for Excellence in Education
+ The Center for Excellence in Education (CEE), a non-profit, 501(c)(3) organization, nurtures high school and university scholars to careers of excellence and leadership in science, technology, engineering and mathematics (STEM), and encourages collaboration between and among scientific and technological leaders in the global community.
+
+
+
+ https://staging.giveth.io/project/Emergence-Church
+ Emergence Church
+ Making disciples that make disciples living a life that loves Jesus, loves people, plowing a counter culture.
+
+
+
+ https://staging.giveth.io/project/Forgotten-Animals
+ Forgotten Animals
+ Forgotten Animals is the closest to being an ASPCA for Russia as it gets. Neglecting and abusing dogs, cats and wild animals, and treating them as commodities, is still a widely common cultural norm in former Soviet countries. There are hundreds of traveling dolphinaria, animal circuses, petting zoos and no wildlife sanctuary to rescue those animals to.<br><br>When you find animals in need, there is usually nowhere to take them, no number to call for help, like there is in the western countries. There is no supporting infrastructure and unless you can afford to take the animal to the vet, pay the bills and look for a new home, there is usually nothing you can do, besides just watching them suffer.<br><br>We are changing the culture where people treat animals as things that are there for them to keep or use as entertainment until it suits them, and to get rid of, when they’ve had enough of them, often inhumanely kill or simply abandon.<br><br>Forgotten Animals does this through:<br>1. Neutering of cats and dogs, reducing the number of unwanted litters and abandonment.<br>2. Making veterinary services available where there are none and helping create and sustain the needed infrastructure<br>3. Educating the population through social ads and humane education<br>4.Lobbying for a legislation change, including drafting a variety of actual law proposals<br>5.Rehabilitating orphaned bear cubs and releasing them back to the wild<br>6. In 2021 we will start building the countrys first real wildlife sanctuary, where we can rescue abused wild animals to and finally start shutting down the industries, that are torturing animals for profit and so-called entertainment.<br><br>The work we do alleviates and prevents suffering and deaths and improves the lives of animals and people. Instead of merely fighting the consequences, Forgotten Animals targets the root causes by bringing the best practice and expertise from around the world to remote places in need. With deep understanding of the local culture and mentality and by keeping our overheads low, we work efficiently and effectively, where it is needed the most.
+
+
+
+ https://staging.giveth.io/project/Dallas-Pets-Alive
+ Dallas Pets Alive
+ Our mission is to promote and provide the resources, education and programs needed to eliminate the killing of companion animals in North Texas.<br><br>We take an innovative approach to animal rescue and believe in creating a paradigm shift in the way our community views animal rescue.<br>Adoption is not only the right thing to do but THE thing to do.
+
+
+
+ https://staging.giveth.io/project/COMITE-PRO-ESCUELA-HOGAR-BUEN-PASTOR
+ COMITE PRO-ESCUELA HOGAR BUEN PASTOR
+ We are an institution founded in 1953, in Mexicali BC, Mexico, under the direction of the Trinitarian Sisters, we serve girls and young women who have been abused or are at risk in their communities. We focus in offering them protection, safeguarding their dignity and rights while giving them the opportunity to make a change in their lives. <br>Our mission is to be an open door to hope, giving girls and young women the opportunity of a new life. WELCOMING without condition, ORIENTING those who are confused, LOOKING for those who are lost, CELEBRATING their achievements, TEACHING the path that leads them to their own fulfillment and happiness, FREEING them from any slavery, LIFTING UP those who have fallen, ACCOMPANYING them in their fight to regain their dignity and SENDING them to announce the good news of their lives. <br>We make them feel loved and respected. We teach them values by setting the example: honesty, integrity, humility, empathy, respect, tolerance, patience, truthfulness, responsibility, discipline, and hard work are some of which we practice.<br>Our Vision is to be a home with appropriate and dignified spaces that allow the practice of the necessary activities and programs where the girls can discover the treasure that they carry within, we do this by helping them maximize their potential by discovering their talents and capabilities so they can achieve social re-integration when they are ready to leave our home.<br>During their time in our school the girls continue their education and receive professional psychological attention. We work in conjunction with institutions in the area with whom we have agreements that certify that the girls have comply with the Government Educational requirements.<br>Some girls are allowed to attend school out of our home, others receive home schooling, either because they are behind their regular school grade or need special attention. That is why we also offer government approved home education programs. We follow up with each case until the girls succeed and get their school diploma.<br>To assure the girls not only have an academic development, we also offer different workshops so they can have an alternative career path when leaving the house, they can choose between, Cosmetology, Seamstress, and Artisanship. They also learn English and take IT courses.<br>We are very proud to be able to say that over the years we have rescued from the streets over 320 girls, we have formed more than 70 community leaders and over 50 of our girls have been able to form their own family.
+
+
+
+ https://staging.giveth.io/project/Boys-Hope-Girls-Hope
+ Boys Hope Girls Hope
+ Boys Hope Girls Hope nurtures and guides motivated young people in need to become well-educated, career-ready men and women for others.
+
+
+
+ https://staging.giveth.io/project/Association-for-Education-Neoumanist
+ Association for Education Neoumanist
+ Improving the quality of life of the most vulnerable groups of society (elderly, people with disabilities, women) through providing basic necessities and medical, social and spiritual assistance.<br><br>Neoumanist Association provides residential care, home visits and day treatment to over one hundred elderly in the district of Straseni in the Republic of Moldova. Our beneficiaries are typically impoverished, vulnerable, and without family support and many of them are chronically ill and homebound. The Neoumanist Association serves the most vulnerable groups in the community (especialy the elderly and disabled) with the following goals: to improve the quality of life of the most vulnerable groups in Moldova, to help the community respect and value humanity, to help people attain harmony and a decent standard of living. The "Neoumanist" Association for Education is a NGO (non-governmental organization) that was registered in the Republic of Moldova in November 2000 by the Ministry of Justice. Since 2003 AE Neoumanist has established four major projects: 1. Rasarit Day Care Centre in the rural town of Straseni, in 2003 2. Spectru Home for senior citizens in the rural town of Straseni, in 2005 3. Home Care serving the outlying villages of Straseni district, in 2007 4. Mobile Meals for the neediest elderly, in 2012. Each of these projects provides high quality services and assistance to socially vulnerable elderly people in Straseni and Straseni district. The basic features characterizing the target group are: 1. Compromised psychological health as a result of untreated depression, feelings of despair and hopelessness, and lack of social interaction and loneliness; gender and ethnic discrimination. 2. Malnutrition caused by insufficient income with the attendant inability to purchase nutritious, high-caloric foods, as well as the great difficulty of obtaining and preparing food because of physical disability or other deficiencies; 3. Unsanitary living conditions resulting, again, from insufficient income to purchase cleaning and hygiene supplies and the difficulty of obtaining and utilizing these supplies because of physical disability or other deficiencies. Neoumanist Association understands that, in order to truly help seniors live rich and full lives, we must assist them in satisfying their basic needs before they can attend to issues of justice, equality, and fairness. Through the provision of socio -medical services and supplementary social activities to disadvantaged seniors, Neoumanist strives to promote social and gender equity in Moldova. A person living in extreme poverty, without adequate food or shelter, cannot effectively participate in civil society. Through meeting those basic needs, we enable them to become, in time, more engaged and vocal participants within their communities.
+
+
+
+ https://staging.giveth.io/project/Be-Team-International
+ Be Team International
+ Be Team International works in Afghanistan with national and international partners to improve healthcare resources, service delivery, and training capacity while helping hospitals and clinics towards operational and financial sustainability.
+
+
+
+ https://staging.giveth.io/project/The-Rescue-House-Inc
+ The Rescue House, Inc
+ The Rescue House, Inc. is a non-profit, volunteer-run organization dedicated to assisting social, people-friendly cats and kittens through its rescue, foster and adoption activities. We help homeless, abandoned and unwanted cats of all ages. We attend to all medical needs and find a home for every cat we take in. Since our inception in 1999, we’ve rescued over 17,500 cats.
+
+
+
+ https://staging.giveth.io/project/Echo-Church
+ Echo Church
+ We exist to urgently lead people to say YES to Jesus and passionately follow Him.
+
+
+
+ https://staging.giveth.io/project/1517
+ 1517
+ 1517 is a nonprofit organization focused on assuring all people that the work of salvation is finished in Jesus Christ. Our mission is to help you hear that you are forgiven and free on account of Christ alone.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-Intentional-Community-Inc
+ Foundation for Intentional Community, Inc
+ To support and promote the development of intentional communities and the evolution of cooperative culture.
+TO FACILITATE EXCHANGE of information, skills, and economic support among individuals, existing intentional communities, cooperative groups, and newly forming communities; TO SUPPORT EDUCATION, RESEARCH, ARCHIVES, AND PUBLISHING about contemporary and historic intentional communities; TO DEMONSTRATE PRACTICAL APPLICATIONS of communities, cooperatives, and their products and services -- through seminars, catalogs, demonstration projects, gatherings, and direct sales; TO INCREASE GLOBAL AWARENESS that intentional communities are pioneers in sustainable living, personal and community transformation, and peaceful social evolution.
+
+
+
+ https://staging.giveth.io/project/Presence-Point-Inc
+ Presence Point, Inc
+ Presence Point equips leaders all over the world to intentionally live into their calling as shepherds in the lives of those they lead, and partners with multipliers to do the same within their sphere of influence.
+
+
+
+ https://staging.giveth.io/project/Hope-for-Justice
+ Hope for Justice
+ We exist to bring an end to modern slavery by preventing exploitation, rescuing victims, restoring lives and reforming society.
+
+
+
+ https://staging.giveth.io/project/Encore-Church
+ Encore Church
+ Encore church exists to lead people to live a life of freedom in Christ Jesus.
+
+
+
+ https://staging.giveth.io/project/Vajrapani-Institute-for-Wisdom-Culture
+ Vajrapani Institute for Wisdom Culture
+ Vajrapani Institute for Wisdom Culture supports the transformation of spiritual teachings into experience through contemplative retreat. As a spiritual community serving the needs of retreaters in all traditions, we are nurtured by the energy of our Tibetan Buddhist founder Lama Thubten Yeshe and our spiritual director Lama Zopa Rinpoche, by our teachers and holy objects, and by the stillness of the California redwood forest. Vajrapani Institute for Wisdom Culture is affiliated with the Foundation for the Preservation of the Mahayana Tradition and is dedicated to preserving Lama Tsong Khapas rich living tradition of wisdom and compassion.
+
+
+
+ https://staging.giveth.io/project/Crossroads-Christian-Church
+ Crossroads Christian Church
+ Crossroads exists to bring people to a passionate Commitment to Christ, His Cause and his Community!
+
+
+
+ https://staging.giveth.io/project/Tunapanda-Institute
+ Tunapanda Institute
+ Tunapanda Institute, a 501(c)3 non-profit, bridges digital divides through tech, design, and entrepreneurship training. Tunapanda has had a consistent presence in Kibera, a Nairobi informal settlement, since 2013 and is a known and trusted leader in digital skills development for young people in low-income areas. For 6 years, we have been facilitating 3-month peer trainings and have graduated over 300 youth from our program, many of whom have gone on to teach these skills to others and/or to set up their own training facilities, freelancing careers, and businesses.
+
+
+
+ https://staging.giveth.io/project/Global-Sanctuary-for-Elephants
+ Global Sanctuary for Elephants
+ GSEs mission is protecting, rescuing, and providing sanctuary for elephants worldwide. GSE was born out of the recognition that there are captive elephants around the globe in desperate need of a better life. However, there are not enough true sanctuaries to care for even a fraction of them.
+
+
+
+ https://staging.giveth.io/project/Sapna-NYC-Inc
+ Sapna NYC Inc
+ Sapna NYC is a not for profit organization transforming the lives of South Asian immigrant women by improving health, expanding economic opportunities, creating social networks, and building a collective voice for change. We recognize that women are the backbone of our families and that by empowering women, we are impacting whole families and uplifting entire communities. We strive to increase access for the women in our community – access to services, access to knowledge and information, access to systems, and access to pathways for social mobility.
+
+
+
+ https://staging.giveth.io/project/Faith-Family-Church-of-Baytown-Inc
+ Faith Family Church of Baytown, Inc
+ Faith Family is an inviting, fun, and Christ-centered place where everyone is welcome. You will be guided in the parking lot, warmly greeted at the door, and ushered to your seat by one of our amazing Dream Team members. Don’t forget to grab a freshly-brewed cup of coffee on your way in!
+
+
+
+ https://staging.giveth.io/project/The-Foundation-for-Enhancing-Communities
+ The Foundation for Enhancing Communities
+ Inspire giving by partnering with donors to achieve their charitable goals, and strengthen our local communities by investing in them now and for future generations.
+
+
+
+ https://staging.giveth.io/project/National-Society-of-Black-Engineers
+ National Society of Black Engineers
+ The mission of the National Society of Black Engineers is "to increase the number of culturally responsible Black Engineers who excel academically, succeed professionally and positively impact the community.
+
+
+
+ https://staging.giveth.io/project/Maybe-God-Productions
+ Maybe God Productions
+ Maybe God inspires doubtful believers and hopeful skeptics to boldly seek answers to their most challenging faith questions through uplifting and powerful storytelling.
+
+
+
+ https://staging.giveth.io/project/Third-Millennium-Alliance
+ Third Millennium Alliance
+ Third Millennium Alliance (TMA) is dedicated to protecting and regenerating the most threatened tropical forest on Earth in collaboration with local communities. Working in the last remnants of Ecuadors coastal forest we promote a culture in which communities recognize both the practical and intrinsic benefits of forest stewardship and help them gain the capacity to manage the land accordingly. Our primary tools used to achieve this goal are land purchase and regenerative cacao agroforestry.
+
+
+
+ https://staging.giveth.io/project/ZOOMONTANA-INC
+ ZOOMONTANA INC
+ To create for our visitors an enjoyable, recreational, and educational experience while providing quality care for the animal and plant collections.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Llovera-Comida
+ Fundacion Llovera Comida
+ Our goals are to assist homeles people in Costa Rica:<br>1) Relocate: from the street to shelter<br>2) Rehabilitate: addiction. 95% of homeles in costa rica are drug or alcohol adicts. <br>3) Reinsert: to society, jobs, create opportunities
+
+
+
+ https://staging.giveth.io/project/Saint-Alexander-Academy
+ Saint Alexander Academy
+ Saint Alexander Academy is a non-profit, coeducational school for grades 9 through 12. Our mission is to help students to develop intellectually, physically, and spiritually.
+
+
+
+ https://staging.giveth.io/project/Heal-Thrive-Global
+ Heal Thrive Global
+ Heal and Thrive Global exists to promote justice and champion value for survivors of injustice and those that serve them around the world. We do this through partnerships in Uganda where we serve 1,400+ vulnerable women & children, in Belize where we serve foster children & provide jobs and throughout the world where we serve leaders through providing a safe community to heal & grow in leadership.
+
+
+
+ https://staging.giveth.io/project/HOSPICE-Casa-Sperantei-Romania
+ HOSPICE Casa Sperantei - Romania
+ We care for children and adults suffering from terminal, rare<br>or life-limiting illness, with professionalism and dedication,<br>offering specialist services to our patients and their families.
+
+
+
+ https://staging.giveth.io/project/Comite-por-la-Libre-Expresion-(C-Libre)
+ Comite por la Libre Expresion (C-Libre)
+ C-Libre was established in June 2001, after a series of violations of freedom of expression and the right to information that culminated in the dismissal of several independent journalists, which led to a complaint by the country before the Office of the Special Rapporteur for Freedom. of Expression of the Organization of American States (OAS), a body that responded by calling attention to the worrying situation of the Honduran press. This documented and formal complaint is the antecedent to the annual reports that would later make known the work of the organization. We advocate for the defense and promotion of the right to freedom of expression and access to information as fundamental rights for the strengthening of democracy and the rule of law. C-Libre is a human rights organization that advocates for the defense and promotion of the right to freedom of expression and access to information in Honduras, as fundamental rights for the strengthening of democracy and the rule of law. C-Libre was created as a response to the concerns shared by a group of journalists when public and private power sectors promoted policies and mechanisms that threatened the professional practice of journalists and violated the constitutional precepts that guarantee the free emission of thought. Those of us who make up C-Libre are convinced that in the construction of a rule of law, the existence of an ethical, investigative journalism, an oversight of public management, that works in an environment of security and free access to information, is essential and that promote a public opinion regime that enforces your Right to Information: http://www.clibrehonduras.com<br><br>For 20 years C-Libre has been working to strengthen networks, groups and individual journalists, social communicators and spokespersons to raise awareness about freedom of expression and the press, as well as citizen protest. In the last 10 years, the creation and implementation of regulations that restrict the dissemination and access to information has been increasing, since the approval of the Special Law on the Intervention of Private Communications "Law of Wiretapping", passing through "Law of Secrets "," Law of the National Security and Defense Council "and the" Intelligence Law "among a myriad of information reservation resolutions that contravene the Law of Transparency and Access to Public Information, the instruments and international agreements on transparency and accountability, the Honduran government has accumulated a legal framework that legitimizes and legalizes the culture of secrecy and state opacity, opening the possibility of increasing levels of corruption and impunity, mainly of public officials and employees. <br><br>The technical team is made up of specialists in various areas of knowledge, mainly communication, social, legal and administrative sciences. Likewise, there is the collaboration of volunteers at the national level, who carry out work within the organization as columnists, reporters, compilers among others. Its function is through 4 programmatic areas : Communications, Access to Justice, Knowledge Management and Self-sustainability, which interact to execute the 2017-2021 Strategic Plan. Currently, C-Libre has 10 people who make up the organization who work full time. The direction of the organization is mainly in charge of the Executive Directorate, who must work together with the President of the Board of Directors. The organizations performance is supervised by the Board of Directors, and this responsibility falls much more strongly on the President and the Supervisory Board, made up of the Treasury and 2 more members of the Board of Directors. Annual reports are submitted to the Board of Directors and the Assembly of the organization, financial and technical reports that are also sent to the pertinent government bodies. In addition, once a week the technical team meets to plan the weeks activities, as well as discuss topics of interest to the organization, annually the assembly and the board of directors meet to render annual reports and every 2 years for the election. of a new Board of Directors.
+
+
+
+ https://staging.giveth.io/project/Article-19-Tunisia
+ Article 19 - Tunisia
+ ARTICLE 19s work in Tunisia includes the production of legal analysis and legal research on national laws related to freedom of information, freedom of press and access to information and their conformity with international standards. We provide training programs for civil society representatives, journalists and media professionals, and judges. We offer technical and legal support and expertise to institutional actors; we signed formal MoUs with governmental and independent institutions such as Independent High Authority for Audiovisual Communication (HAICA), The General Directorate of Administrative Reforms (DGRPA), the National Authority of Access to Information (ANAI), the Ministry of Education. We organize seminars, workshops and multi-stakeholders consultations meetings to debate issues relating to freedom of expression and other fundamental human rights human rights with a focus to minorities, marginalized and vulnerable groups. We conduct national and international advocacy campaigns through public statements and press releases, communications to UN special rapporteurs and other UN mechanisms as well as UPR submissions.
+
+
+
+ https://staging.giveth.io/project/Vusumnotfo
+ Vusumnotfo
+ Vusumnotfo is a Swazi Not-for-Profit organization whose formation was authorized by community leaders in northern Eswatini following the 1991/92 drought. These leaders identified "dependency" as the underlying factor limiting sustainable development at community level. They attributed the deep roots of "dependency" to be interwoven issues specific to Eswatini and the region. To reverse this negative cycle of "dependency" in ways relevant to their communities, they formed Vusumnotfo . Accordingly our strategy reflects Eswatinis many proverbs that the betterment of the future is through the child - "Umntfwana ngumliba loya embili".<br><br>Our rationale is based on a large body of international research, also reflected in this traditional wisdom. During the period between prenatal through the first nine years, a child develops the physical, emotional, language, communication, cognitive, social, and value structures that lay the foundation for their lifetime. <br><br>In these early years, a child naturally depend on adults to nurture their development and learning needs (dependency stage). If adults are not able to do so, a childs development and learning falls behind. Consequently, this child will have limitations to overcome, some of which are insurmountable, setting up a negative cycle of dependency. <br><br>Conversely, a child who achieves early developmental milestones and learning standards has the fundamentals for attaining the skills to meet their own needs as adults (independency stage) and, thereafter, to nurture the needs of the next generation (inter-dependency stage). <br><br>Our goal is to strengthen skills at family and community level in practices that support the development and learning of young children, as a strategy to build human capacity. Overtime, building human capacity results in families able and willing to nurture the next generation, and communities able and willing to improve environmental, social and economic challenges, setting up a positive cycle of sustainable development. Thus "parenting" contributes to the wellbeing of this generation, and nurtures the next generation; hence - Parenting for a Sustainable Future.™<br><br>-----------------------------------------------------------------------------------<br>VUSUMNOTFO - Parenting for a Sustainable Future™<br><br>Our Aim - To strengthen skills at family and community level, in practices that advance child development and learning, in 17 Swazi communities<br><br>Our Motto - Do what you can, with what you have, now
+
+
+
+ https://staging.giveth.io/project/As-communityAs-kommune
+ As communityAs kommune
+
+
+
+
+ https://staging.giveth.io/project/Bhumi
+ Bhumi
+ Bhumi drives social change by fostering an environment where young adults & children learn, lead and thrive
+
+
+
+ https://staging.giveth.io/project/Wood-Buffalo-Food-Bank-Association
+ Wood Buffalo Food Bank Association
+
+
+
+
+ https://staging.giveth.io/project/Solidarity-with-Vulnerable-People-for-Community-Development
+ Solidarity with Vulnerable People for Community Development
+ Our mission is to put smiles on the lips of people in difficult situations through activities to promote peace and endogenous development.
+
+
+
+ https://staging.giveth.io/project/Borneo-Orangutan-Survival-UK-Ltd
+ Borneo Orangutan Survival UK Ltd
+ Our vision is to restore the natural balance for Bornean orangutans. Their survival is at risk solely due to human impact, pushing them to the brink of extinction.<br><br>Thus our mission is two-fold. First, we save orangutans in immediate danger through rescue, rehabilitation, and re-introduction to protected rainforests. Second, and equally important, we protect and restore their wild habitat by working alongside the native communities bordering them.
+
+
+
+ https://staging.giveth.io/project/SocialTIC
+ SocialTIC
+ SocialTIC enables changemakers; activists, advocates, civil society organizations and independent media to strengthen their advocacy, outreach and influence capacities through the strategic and secure use of ICTs and data.
+
+
+
+ https://staging.giveth.io/project/Speranta-Terrei
+ Speranta Terrei
+ Speranta Terrei is a grassroots, community organization in Balti, in northern Moldova. It raises awareness of tuberculosis, gives treatment adherence support to tuberculosis patients, and promotes their rights and duties. Speranta Terrei cooperates with health officials while advocating for greater patient support and shared responsibility for treatment adherence in line with international standards.
+
+
+
+ https://staging.giveth.io/project/Buldan-Egitim-ve-Dayanisma-Vakfi
+ Buldan Egitim ve Dayanisma Vakfi
+ To empower women by supporting their skills, self confidence and productivity so that Women could participate fully in economic and social life.<br><br><br>FOR YOUTH<br>To provide scholarship to successful students (undergraduates) who need financial support
+
+
+
+ https://staging.giveth.io/project/TOURNONS-LA-PAGE
+ TOURNONS LA PAGE
+ contribuer à la promotion de la démocratie et des droits humains à travers la mobilisation citoyenne, principalement en Afrique ; <br>Lutter contre la corruption et les crimes économiques ; <br>Défendre et protéger ses membres en danger ; <br>Interpeller tous les décideurs à tous les niveaux et où quils soient par le plaidoyer et toutes formes dactions pacifiques ; <br>Renforcer et appuyer tous les membres du mouvement et leurs organisations qui adhèrent et agissent conformément à la vision, aux valeurs et aux principes de TLP ; <br>Mener toute action dont lobjet est la promotion de la démocratie ;
+
+
+
+ https://staging.giveth.io/project/Cruz-Roja-Espanola
+ Cruz Roja Española
+ The basic mission of the Spanish Red Cross is the diffusion and application of the General Principles of the Red Cross and Red Crescent International Movement. The organisational aim of the Spanish Red Cross is the performance of duties destined to attain the follow-ing specific goals: 1. To seek and promote peace, as well as national and international co-operation. 2. To diffuse and teach international Humanitarian Law. 3. To diffuse and teach basic human rights. 4. To intervene in armed conflicts on behalf of all civil and military vic-tims, preparing for this duty in times of peace as an auxiliary part of public health services in all areas stipulated by the Geneva Conven-tions and any other Protocols to which Spain may be party. 5. To care for persons and groups who are suffering, preventing and re-lieving human pain. 6. To protect and aid persons affected by accidents, catastrophes, dis-asters, social conflicts, diseases, epidemics, collective risks, accidents or similar events, as well as the prevention of the damage they cause, participating in the actions necessary in compliance with the law and the appropriate national and territorial plans. 7. To promote and collaborate in actions of solidarity, co-operation to-ward development, general social welfare as well as health and social services, with special attention devoted to persons and groups faced with difficulties for their social integration. 8. To promote and participate in health programmes and special activi-ties which favour public health by their altruistic nature. 9. To promote the voluntary non-profit participation of individuals and corporations, government and private entities in the activities and sustenance of the Organisation for the realisation of its objectives. 10. To promote the participation of children and youth in Organisation activities. To spread the principles of the International Red Cross and Red Crescent Movement among them, in addition to those of international humanitarian law, basic human rights, and the ideals of peace, mutual respect and comprehension between men and nations. 11. To carry out educational actions aimed at attaining the aforemen-tioned goals.
+
+
+
+ https://staging.giveth.io/project/Kampala-Music-School
+ Kampala Music School
+ KMS shall exist to give maximum opportunity to develop musical talent at affordable rates and develop the appreciation of western classical, contemporary and traditional music in Uganda
+
+
+
+ https://staging.giveth.io/project/World-Without-Orphans-Europe
+ World Without Orphans Europe
+ WWO Europe exists to inspire and support people to create national and regional movements across Europe to prevent children losing their place in a family, and to work for families reuniting where safe and possible, and to encourage alternative family-based care, where it is not.
+
+
+
+ https://staging.giveth.io/project/Karuna-Trust
+ Karuna Trust
+ Karuna, a charity inspired by Buddhist values, works alongside the most excluded people in South Asia, overcoming discrimination with locally-led education, gender equality and sustainable livelihood projects.<br><br>Karuna believes:<br>- Individual transformation is crucial for genuine social change<br>- Authentic communication has the power to change lives<br>- Every human should have the opportunity to fulfil their potential to grow and develop<br><br>Karuna is a Triratna team-based Right Livelihood - a Buddhist ideal of working ethically and non-violently. We emphasise the importance of working and practicing together, striving to create positive change in oneself as well as others. This is echoed in our salary system, as each employee at Karuna, including our CEO, is paid on a needs basis and not according to seniority.
+
+
+
+ https://staging.giveth.io/project/A-Leg-To-Stand-On
+ A Leg To Stand On
+ 106 million children live with untreated disabilities in the developing world. 95% cannot afford care, and without care 90% do not attend school. We’re on a mission to change that. Mobility is more than movement - it’s a human right.<br><br>We provide free prosthetic limbs, orthotic devices, and appropriately fitted wheelchairs, to children with limb disabilities in the developing world, whose families, surviving on less than $3/day, could otherwise never afford care. Mobility provides access to education, future employment, and the chance to live self-sufficiently.<br><br>One simple treatment, provided by us with thanks to your support, transforms a life and can break the cycle of poverty a child was born into. Since 2003, through local treatment providers in Asia, Africa, and Latin America, we have provided life-changing treatment to more than 20,000 children.
+
+
+
+ https://staging.giveth.io/project/Hepatitis-B-Free
+ Hepatitis B Free
+ To facilitate improved awareness, vaccination, testing, and life-saving treatment and care services for hepatitis B aimed at those most in need. To work together and towards a world free of hepatitis B
+
+
+
+ https://staging.giveth.io/project/Center-for-International-Forestry-Research-(CIFOR)
+ Center for International Forestry Research (CIFOR)
+ CIFOR advances human well-being, equity and<br>environmental integrity by conducting innovative<br>research, developing partners capacity and actively<br>engaging in dialogue with all stakeholders to inform<br>policies and practices that affect forests and people.
+
+
+
+ https://staging.giveth.io/project/APOPO-vzw
+ APOPO vzw
+ APOPOs mission is to develop detection rats technology to provide solutions for global problems and inspire positive social change.<br><br>APOPOs vision is to solve pressing humanitarian challenges with detection rats technology.<br>Our core values are:<br><br>Quality - Demonstrating and promoting high standards in research, design, training and implementation of detection rats technology.<br>Social Transformation - Developing skills, creating jobs, improving socio-economic and environmental conditions, releasing land for development, and combating public health issues.<br>Innovation - Pioneering creative research and innovative solutions within a participatory learning culture.<br>Diversity - Embracing diversity in all facets of the organization with respect to age, gender, religion, sexual orientation, physical abilities, nationality or ethnicity.
+
+
+
+ https://staging.giveth.io/project/UM-Healthcare-Trust
+ UM Healthcare Trust
+ Mission: To provide immediate, sustainable and affordable medical care to needy in the best possible way.<br><br>Main Objectives:<br>- To provide immediate medical care to the needy in best possible way<br>- To make use of innovative technologies in extending healthcare services<br>- To reduce maternal mortality rate. <br>- To disseminate knowledge and to spread awareness on preventive care.
+
+
+
+ https://staging.giveth.io/project/HopeWay-Foundation
+ HopeWay Foundation
+ HopeWay is an accredited nonprofit mental health treatment facility located in Charlotte, NC that provides best practice behavioral health care and education for adults and their families with the mission of making HOPE tangible by inspiring mental wellness for all. HopeWays vision is to be a premier leader of mental health services by providing holistic care grounded in science, while building awareness and acceptance through education.
+
+
+
+ https://staging.giveth.io/project/Vida-y-Familia-de-Guadalajara-AC
+ Vida y Familia de Guadalajara, AC
+ Attend and empower vulnerable women during pregnancy, offering alternatives for their proper development.
+
+
+
+ https://staging.giveth.io/project/Colectiva-Luchadoras-AC
+ Colectiva Luchadoras AC
+ Luchadoras is a feminist organization that uses ICT to advance gender equality in Mexico. We envision a world in which women and girls live with joy and freedom online and offline, conscious of their own and collective potential. <br><br>Luchadoras counters online misogyny by creating and disseminating affirmative storytelling on digital spaces; and works towards an Internet free of violence by doing research, advocacy, campaigning and providing supporting services to women victims of online harassment in Mexico.
+
+
+
+ https://staging.giveth.io/project/Barretstown
+ Barretstown
+ To rebuild the lives of children affected by serious illness, and their families, through a life changing Therapeutic Recreation<br>programme in a safe, fun and supportive environment.
+
+
+
+ https://staging.giveth.io/project/A-Moment-of-Magic-Inc
+ A Moment of Magic Inc
+ A Moment of Magic Foundation is a national 501(c)(3) nonprofit organization with a mission to improve the quality of life of vulnerable and underserved children and inspire them to be brave, strong, and fearless through fun and engaging social wellness activities.
+
+
+
+ https://staging.giveth.io/project/Kamloops-Food-Bank-Society
+ Kamloops Food Bank Society
+
+
+
+
+ https://staging.giveth.io/project/Ong-Parceiros-Voluntarios
+ Ong Parceiros Voluntarios
+
+
+
+
+ https://staging.giveth.io/project/Veterans-Outreach-Center
+ Veterans Outreach Center
+ Our mission is to serve veterans with compassion and advocate for all who have worn our nation’s uniform so they can RISE and live life to the fullest.<br>Organizational Values<br>Respect: We treat everyone with dignity and compassion, and we show appreciation for strengths as well as vulnerabilities. <br>Integrity: We are trustworthy, honorable, and professional. Taking ownership of our actions and communication is a top priority; we do this by conveying honesty and respect through tone, and verbal and non-verbal interactions. We demonstrate fiscal responsibility with all resources. <br>Service: We believe that service is part of the American fabric, and recognize the great sacrifices that are made by all who have worn our nation’s uniform. We are committed to serving our veterans and their families with passion and deep appreciation for their service. <br>Excellence: We are hard-working, innovative, and creative; we strive for continuous improvement. Our goal is to consistently grow the quality and scope of our services, in order to better meet the needs of our veterans and their families.
+
+
+
+ https://staging.giveth.io/project/Elton-John-AIDS-Foundation
+ Elton John AIDS Foundation
+ The Elton John AIDS Foundation was established in 1992 and is one of the leading independent AIDS organisations in the world. The Foundation’s mission is simple: to be a powerful force in the end to the AIDS epidemic. We are committed to no more discrimination. No more HIV infections. No more AIDS deaths. No matter who or where you are.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Club-of-Greater-Lowell
+ Boys Girls Club of Greater Lowell
+ Our mission is to inspire and enable young people, especially those who need us most, to realize their full potential as productive, responsible and caring citizens. Our vision is to end generational poverty in Lowell.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Club-of-Worcester
+ Boys Girls Club of Worcester
+ Our Mission is to help youth, especially those who need us most, develop the qualities needed to become responsible citizens and community leaders, through caring professional staff who forge relationships with our youth members and influence their ability to succeed in life.
+
+
+
+ https://staging.giveth.io/project/Barley-Fields-Primary-School
+ Barley Fields Primary School
+
+
+
+
+ https://staging.giveth.io/project/Black-LGBTQ-Liberation-Inc-(BLINC)
+ Black LGBTQ Liberation, Inc (BLINC)
+ Black LGBTQ+ Liberation, Inc. (BLINC ) is a global organization focused on achieving positive outcomes for BIPOC LGBTQ+ people. Our mission is to provide programming and services to eradicate homophobia, transphobia and achieve positive outcomes in the lives of marginalized LGBTQ+ people.
+
+
+
+ https://staging.giveth.io/project/The-Dance-Thing
+ The Dance Thing
+
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Wayne-and-Holmes-Counties-Inc
+ United Way of Wayne and Holmes Counties, Inc
+ Mobilize community resources to help people measurably improve their lives. We have a pretty diverse portfolio of donors.
+
+
+
+ https://staging.giveth.io/project/The-Nature-Connection
+ The Nature Connection
+ To improve the wellbeing of individuals and communities through the therapeutic use of nature.
+
+
+
+ https://staging.giveth.io/project/Graland-Country-Day-School
+ Graland Country Day School
+ At Graland Country Day School it is our mission to achieve intellectual excellence, build strong character, enrich learning through the arts and athletics, and prepare our students to be engaged citizens and thoughtful leaders.
+
+
+
+ https://staging.giveth.io/project/Mental-Health-Minnesota
+ Mental Health Minnesota
+ Mental Health Minnesota is the voice of lived mental health experience. We carry that declaration forward as we work to advance mental health and well-being for all, increase access to mental health treatment and services, and provide education, resources and support across Minnesota. Our organization provides online mental health screenings, peer support, and information and referrals to those seeking help, as well as education and advocacy as we work to increase access to treatment and services. As an affiliate of Mental Health America, we believe in a #B4Stage4 approach to mental health, which includes prevention, as well as early screening, treatment and support.
+
+
+
+ https://staging.giveth.io/project/JOY-International
+ JOY International
+ JOY International is dedicated to the rescue, restoration, and reintegration of children, teens, and young adults affected by trafficking and the prevention of human trafficking, especially the trafficking of children, worldwide. JOY International is committed to a multi-faceted approach to fighting child trafficking. We partner with police, task forces, prosecutors, and NGOs to find and rescue captive children throughout the world and bring their captors to justice, partner with safe houses and rehabilitation professionals to ensure the safety and care for these precious women and children as they walk the road of healing, and strive to address the driving forces behind the sexual exploitation of children around the world to prevent child trafficking.
+
+
+
+ https://staging.giveth.io/project/BethanyKids
+ BethanyKids
+ BethanyKids trains pediatric surgeons from across Africa and provides pediatric care including both surgery and rehabilitation to children in 7 countries. In 2020 our surgeons performed over 2,600 surgeries.
+
+
+
+ https://staging.giveth.io/project/Coalition-for-Radical-Life-Extension
+ Coalition for Radical Life Extension
+ To provide education, resources & community for super longevity
+
+
+
+ https://staging.giveth.io/project/Clervaux-Trust-Ltd
+ Clervaux Trust Ltd
+
+
+
+
+ https://staging.giveth.io/project/Clifton-Playgroup-Ltd
+ Clifton Playgroup Ltd
+ Education of children of pre-school age.
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-Northwest-Indiana
+ Habitat for Humanity Northwest Indiana
+ Seeking to put God’s love into action, Habitat for Humanity brings people together to build homes, communities and hope.
+
+
+
+ https://staging.giveth.io/project/New-Being-Project
+ New Being Project
+ New Being Project assists individuals to find ways to remove the darkness that surrounds their soul so that in turn they might bring through and support new beings in new bodies to come into the world without the necessity of losing their innocence and their spiritual freedom.<br>We are here to create a functional world for every being where innocence is never lost and faultless love is always present. <br>This is the way every child knows that the world is supposed to be.
+
+
+
+ https://staging.giveth.io/project/Mercy-Housing
+ Mercy Housing
+ Mercy Housing is working to eliminate homelessness and housing insecurity for low-income families, seniors, individuals and people with special needs by creating healthy sustainable communities where every person has a place to call home.<br><br>As the nation’s largest nonprofit affordable housing organization Mercy Housing has participated in the development, preservation, and/or financing of 58,000 affordable homes in more than 42 states over the last 40 years. We own and manage 350 properties with over 25,000 homes serving more than 45,000 residents. On top of providing safe, affordable homes for those in need, Mercy Housing also provides essential services to support residents achieving stability and overcoming barriers that include, but are not limited to, financial literacy classes, health and wellness, career assistance, and out-of-school programming.
+
+
+
+ https://staging.giveth.io/project/Fondo-de-Mujeres-del-Sur
+ Fondo de Mujeres del Sur
+ To mobilize financial resources and provide technical assistance to strengthen organisational capacities of womens and LBTIQ+ organisations in situation of most socio-economic, political, cultural, geographic and environmental disadvantages, which aim to advance gender equality and social justice.
+
+
+
+ https://staging.giveth.io/project/Shelters-to-Shutters
+ Shelters to Shutters
+ Shelters to Shutters is a national 501(c)3 organization that transitions individuals and families out of homelessness to economic self-sufficiency by providing full time employment, housing, and career training opportunities in partnership with the real estate industry.
+
+
+
+ https://staging.giveth.io/project/St-Pete-Shush-Inc
+ St Pete Shush Inc
+ We are a network of dedicated stewards who curate Little Free Libraries (LFLs) all around the city. These libraries are filled with a high quality and diverse selection of books that are available to all people for free, regardless of background or status.
+
+
+
+ https://staging.giveth.io/project/Rock-City-Church
+ Rock City Church
+ Even if you have never walked through the doors of a church in your entire life, we can’t wait to welcome you here. Whether you’re spiritually restless or simply want to take the next step in your faith, you’ve got a home at Rock City.
+
+
+
+ https://staging.giveth.io/project/Cathedral-Church-of-St-John-the-Divine
+ Cathedral Church of St John the Divine
+ The Cathedral Church of Saint John the Divine, the mother church of the Episcopal Diocese of New York and the Seat of its Bishop, is chartered as a house of prayer for all people and a unifying center of intellectual light and leadership. It serves the many diverse people of our Diocese, City, Nation and World through an array of liturgical, cultural and civic events; pastoral, educational and community outreach activities; and maintains the preservation of the great architectural and historic site that is its legacy.<br><br>People from many faiths and communities worship together in services held more than 30 times a week; the soup kitchen serves roughly 25,000 meals annually; social service outreach has an increasingly varied roster of programs; the distinguished Cathedral School prepares young students to be future leaders; Advancing the Community of Tomorrow, the renowned preschool, afterschool and summer program, offers diverse educational and nurturing experiences; the outstanding Textile Conservation Lab preserves world treasures; concerts, exhibitions, performances and civic gatherings allow conversation, celebration, reflection and remembrance—such is the joyfully busy life of this beloved and venerated Cathedral.
+
+
+
+ https://staging.giveth.io/project/National-Brain-Tumor-Society-Inc
+ National Brain Tumor Society, Inc
+ National Brain Tumor Society unrelentingly invests in, mobilizes, and unites our community to discover a cure, deliver effective treatments, and advocate for patients and care partners.
+
+
+
+ https://staging.giveth.io/project/Foundation-PERSONS-WITH-DEVELOPMENT-PROBLEMS-ASSISTANCE
+ Foundation PERSONS WITH DEVELOPMENT PROBLEMS ASSISTANCE
+ Autistic individuals are characterized by disorders of varying degrees of communication skills, social interactions and limited, stereotyped patterns of behavior.<br>They are a "mosaic" of strengths, deficits and deviations. Sociocommunicative problematic is often combined with intellectual<br>deficit, with delay in language development, with deficit of control on impulses and hyperactivity. Parents are also different resources (emotional, family, support systems) to cope with the social trauma inflicted on them.<br>Thats why we chose for ours:<br>Mission:<br>Especially important for people with developmental disabilities is, to have equal opportunities for development, equal chances for a dignified and independent life.<br>Main goal:<br>Bridging deficits through services, developing personal potential, consistent with the individual needs of everyone.<br>A bit of our history:<br>In 2011, parents of autistic individuals, friends and like-minded people, we established the Developmental Disabilities Foundation to improve the quality of life of individuals with developmental disabilities.<br>Everything we do is to overcome the consequences of social trauma for persons with developmental problems and their relatives. By providing social services in the community, we aim to build self-reliance skills that promote social inclusion.<br>We hold licenses for: therapy and rehabilitation; community work; training for the acquisition of work skills; support for the acquisition of work skills; informing and consulting; advocacy and mediation and day care.<br>Each person is unique and has the right to happiness, equal opportunities to achieve it, equal chances for a dignified and independent life.<br>That is why we created and are developing the Center for inclusive and non-formal education "Art and Jump". In the informal space of the Workshop, children and young people learn through experiences while working and having fun in the Wool and Textiles workshop, the Ceramics workshop and the Digital Competences workshop.<br>We implement an innovative program of creative educational modules that develops cognitive skills, promotes personal development and increases motivation to face everyday challenges.<br>As a team, we are clearly aware of social dignity and responsibility. Therefore, we strive for the formation of empathy, tolerance and acceptance of ones own and others "differences" in the spirit of respect for human dignity and value in society.<br>"Being different is a privilege"<br>Autistic individuals need a variety of appropriate forms of support throughout their lives. Therefore, it is necessary to develop and implement individual projects for independent living for each of them. Our foundation pays the necessary attention to the group dynamics in order to build an interpersonal relationship and at the same time relationships in the social environment.<br>We all know that in Bulgaria there is no network organization of services for people with autism spectrum disorders (ASD) at all ages. Therefore, one of the guiding principles in the management of our organization is to ensure the continuity of services for children, youth and adults.<br>We are currently working with the Autism - Education, Future and Opportunities Association. Combining ideas, resources and tools, we have found an appropriate solution to the problem of the "child with autism in secondary school" challenge. We support the Association in their activities for the introduction of the Competent Learner (CLM) model.<br>In the House we will further develop and upgrade the model "Workshop for the development of cognitive skills and increase the capacity for autonomy", as well as Dance-Motor Therapy for Psychosomatic Development, which we are currently implementing under the Program of Sofia Municipality for Social Innovations. We will apply innovative management, continuously and long-term, so that we can simultaneously meet social needs and create new social relationships and cooperation.<br>Working with parents and siblings is another key moment in our planned activities. The effect of therapies and rehabilitation for people with developmental problems is insufficient if it is not integrated with psycho-social interventions with the whole family.<br>Another important goal of ours is the creation of supported employment, employment support, and social enterprise for our users. We already have a working creative studio in ceramics, Art and Jump Workshop. We plan to develop resilience and create work skills in the field of applied arts for young people with disabilities.
+
+
+
+ https://staging.giveth.io/project/Cultivating-Emotional-Balance-Inc
+ Cultivating Emotional Balance Inc
+ Launch of year long CEB Teacher Training in June after two years with no training due to COVID. oIncluded: Week long retreat in June Monthly online content, assignments, small group meetings and monthly webinar. (Training continues through June 2023) Monthly webinar/meeting of certified CEB teachers covering a variety of topics Launch of Spanish CEB website Upgrade and ongoing maintenance of CEB website Strategic planning meeting with Board of Directors CEB classes taught by around the world Eve Ekman co-facilitated Mind and Life Conference Work on the CEB book in progress with final conversations with publisher
+
+
+
+ https://staging.giveth.io/project/President-and-Fellows-of-Harvard-College
+ President and Fellows of Harvard College
+ Undergraduate, graduate, and professional education and research across a broad array of academic domains.
+
+
+
+ https://staging.giveth.io/project/LegacyTree-Foundation
+ LegacyTree Foundation
+ The mission of LegacyTree Foundation is to provide spiritual, physical and humanitarian aid to those in need.
+
+
+
+ https://staging.giveth.io/project/Hull-Services
+ Hull Services
+ Hull partners with young people and families, building resilience today for a brighter tomorrow. Our vision is resilient young people and families thriving within communities that support their mental health and well-being.<br>Pathways to Prevention, a division of Hull Services mission is to create a community for innovative research, exceptional training and education, and unparalled advocacy to prevent developmental trauma.<br>Within the Pathways to Prevention program, Push to Heals mission is to advocate for research, and collaborate on neuroscience and trauma-informed best practices in skateboarding to support our programming and the therapeutic use of skateboarding worldwide.
+
+
+
+ https://staging.giveth.io/project/Project-One-Day
+ Project One Day
+ Project One Days mission is to bring the love and safety of of Jesus Christ to infants and toddlers in need. POD does this via its unique cooperative childcare model which generates free childcare for single parents in need. Each of Project One Days early childhood classes are led by a Christ-centered caregiver. Each parent serves as an assistant teacher one day per week. In exchange, the parent receives free child care the remaining 4 days per week so they can work or go to school. All parents undergo background checks, Pediatric CPR/ First Aid Certification, and 24 hours of annual training in early childhood development. The perks of PODs model is that it equips parents, generates outstanding teacher to student ratios, and creates meaningful Christian community for singles in need.
+
+
+
+ https://staging.giveth.io/project/Fundacion-ABLE
+ Fundacion ABLE
+ We create access to education that allows children, youth and women to develop skills to build a brighter future for themselves and their community.
+
+
+
+ https://staging.giveth.io/project/The-Campbell-Center
+ The Campbell Center
+ The mission of The Campbell Center is to partner with adults with intellectual and developmental disabilities, empowering them to successfully gain agency over their own destiny and attain their desired outcomes through opportunity and choice.
+
+
+
+ https://staging.giveth.io/project/Misr-El-Kheir-Foundation
+ Misr El Kheir Foundation
+ Misr Elkheir Foundation Biography<br><br>MISR ELKHEIR FOUNDATION-(MEK) is an Egyptian NGO- Established in 20/5/2007; Registration with Ministry of Social solidarity is: 555/2007.The foundation is a developmental non-governmental organization mainly concerned with Human Development. Our Vision: To become a pioneering sustainable development organization to be heeded internationally. Our Mission: Comprehensive Human Development through the implementation of projects in order to diminish the levels of illness, poverty, hunger, illiteracy, and unemployment. The main goal of Misr ElKheir Foundation is human development, and thus seeks to achieve this through the development of six strategic units covering different aspects of Egyptian life. These are Social Solidarity, Life Aspects, Health, Education and Scientific Research; and Integrated Development Sector, which unifies all the efforts of the other sectors to tackle needs of poorest Base of the Pyramid communities. Through these areas, Misr ElKheir Foundation seeks to contribute positively and actively to eliminate unemployment, illiteracy, poverty and disease, and to make Egypt an inclusive society, which can grow and remain sustained on autopilot projects. <br>MEK has an established institutional structure of more than 1000 employees, with the Board of Trustees at the tip of the pyramid, then cascading down to the Executive committee exercising control over the BOT Executive member CEO, who in turn heads all the six sectors plus the execution Unit and the HR and administration unit. The Execution is operational Unit such as containing Finance department, procurement, IT, legal, marketing & PR, fund raising, international cooperation, while HR and administration controls HR responsibilities and internal administrative procedures and services. On the other hand, the Audit, Governance and Business Control Committee controls the BC Unit that separately -away from BOT CEO- presides over Business Continuity, Audit and Quality, M&E and Complaints Functions for transparency and avoidance of conflicts of interests. These functions comply with the International Non-Governmental Organizations. MEKs extensive outreach and network of participatory community-based NGOs through 17 governorates regional offices and numerous partnerships with local CDAs (Community Development Associations) will ensure an overarching promotional, awareness, and visibility activities. MEK has acquired a solid Technical Niche of Implementation of Developmental Projects and Outreach to all the governorates. MEKs credibility, trust, and huge network of partner NGOs and volunteers will greatly facilitate dissemination, promotion, and awareness. MEK always seeks the best quality and technical expertise, thus out-sources and undergoes feasibility studies, tenders and workshops to achieve the best results. We offer services and assistance through the following Strategic Sectors: <br> Education: Establishment of Standard & Community Schools, Training Centers, and Higher Education Entities, provision of scholarships, Employment Services. <br> Social Solidarity: Giving direct support to the underprivileged, including: bread winners, debtors and wayfarers, in addition to executing untraditional individualistic or collective Income-generation projects that would generate a regular sufficient income for poor families in Upper Egypt and the border areas, so that we can change their status from sufficient to efficient. <br> Health: Developing the health care system in Egypt by providing services of high quality, related to the prevention and the treatment of the most dangerous diseases in Egypt, in addition to direct aid<br> Life Aspects: Developing the citizens sense of values and culture, through capacity building and enhancing self-confidence, in order to reach our ultimate goal, which is developing their quality of life, Social Inclusion for People with Disabilities, Spreading and conservation of Arts and Culture, Character Building. <br> Scientific Research and Innovation: Employing and promoting for the concept of scientific research and innovation, in order to develop products and services that help empower the needful villages in Egypt. This is done to provide the basic services in the sectors of: health, education, water, food, and energy. In addition, it creates a generation aware of the importance of scientific research and innovation; and also empower entrepreneurships and incubate new ideas and prototypes through turning scientific research into an economical and a social value, complementing the foundations vision, which revolves around human and social development; improving the quality of life.<br> Integrated Development: This sector integrates the previous six strategic units and gears all efforts collectively into one location such as the 1000 poorest villages in Upper Egypt. CSR funds and donations collaborate efforts to assist development in designated areas of need targeting development of Educational facilities, Health & Medical convoys for screening, developing quality of life for citizens through inducing awareness about social issues, developing their economic standards through small businesses to suit the context whether agricultural, handicrafts, or vocational, and introducing innovative solutions to the needful villages.
+
+
+
+ https://staging.giveth.io/project/MissionSAFE-A-New-Beginning-Inc
+ MissionSAFE A New Beginning, Inc
+ MissionSAFE is a youth development organization committed to reducing violence and ending generational poverty among young people in Boston. We work comprehensively with Boston’s youth to provide education support, horizon-broadening activities, sports and teamwork development, internships and job training, leadership skills, and encouragement to achieve their goals and dreams.
+
+
+
+ https://staging.giveth.io/project/Four-Paws-USA
+ Four Paws USA
+ FOUR PAWS is the global animal welfare organization for animals under direct human influence, which reveals suffering, rescues animals in need, and protects them.
+
+
+
+ https://staging.giveth.io/project/The-Motley-Fool
+ The Motley Fool
+ The purpose of The Motley Fool Foundation is to promote financial freedom for all by investing in connections and innovations to connect the five drivers of financial freedom:<br><br>Education<br>Health<br>Workplace<br>Housing<br>Money
+
+
+
+ https://staging.giveth.io/project/Fundacion-Maria-Elena-Restrepo-FUNDAVE
+ Fundacion Maria Elena Restrepo FUNDAVE
+
+
+
+
+ https://staging.giveth.io/project/Belize-Bird-Rescue
+ Belize Bird Rescue
+ To provide a rehabilitation centre for all indigenous avian species in Belize. To provide expert avian medical care for injured birds, and sanctuary for non-releasable birds. To facilitate and support the enforcement of the Wildlife Laws through the Belize Forest Department. To end the local trade in wild-caught parrots. To provide avian wildlife education and public awareness throughout the country. To create public awareness of Belizes avian species and their importance to the GDP of the country through tourism. To provide resource and knowledge support to conservation organizations and facilitate overseas and in-house training for Forest Department, for Belizean veterinarians and Belize Bird Rescue staff and interns.
+
+
+
+ https://staging.giveth.io/project/Child-Rights-You-UK
+ Child Rights You UK
+ CRY UK aims to amplify the voices of Indias children, and their struggle for survival. Through our efforts (and through our partner CRY India), we aim to effect change that will ultimately stop this vicious circle of poverty, hunger, discrimination and the lack of access to healthcare and education. In short, we aim to bring about a change to ensure that every child in India, regardless of race, religion or background, has a fulfilling and enriching childhood, guaranteed to them as citizens of India.
+
+
+
+ https://staging.giveth.io/project/Paint-and-Quarter-Horse-Foundation-Bulgaria
+ Paint and Quarter Horse Foundation Bulgaria
+ Paint and Quarter House Foundation Bulgaria (PQHFB) is an organization established in 2017 to promote the qualities of the breeds Paint Horse and Quarter Horse; to spread and develop natural relationships with horses and training /natural horsemanship/; to provide free equine-assisted therapy for children with disabilities.
+
+
+
+ https://staging.giveth.io/project/First-Care-Family-Resources-Inc
+ First Care Family Resources, Inc
+ First Care Womens Clinic empowers women facing crisis pregnancies to choose life for their unborn children while sharing the love and good news of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Associacao-Fazendo-Historia
+ Associacao Fazendo Historia
+ Collaborate with the development of children and adolescents living in shelters and working in conjunction with their network to empower them to take control of and transform their life stories.
+
+
+
+ https://staging.giveth.io/project/International-Crisis-Group
+ International Crisis Group
+ The International Crisis Group is an independent organisation working to prevent wars and shape policies that will build a more peaceful world.<br><br>Crisis Group sounds the alarm to prevent deadly conflict. We build support for the good governance and inclusive politics that enable societies to flourish. We engage directly with a range of conflict actors to seek and share information, and to encourage intelligent action for peace.
+
+
+
+ https://staging.giveth.io/project/LAERSKOOL-DR-HAVINGA
+ LAERSKOOL DR HAVINGA
+ We strive to educate learners through a value driven, innovative and future oriented school to empower them to be productive and proud South African citizens
+
+
+
+ https://staging.giveth.io/project/Little-Footprints-Big-Steps-IDO
+ Little Footprints, Big Steps - IDO
+ Children in orphanages are being exploited through sexual abuse, child trafficking, or forced labor. There is still modern-day slavery occurring in Haiti. Over 80% of the children in orphanages have living families who were deceived by unlawful orphanage operators; business owners who use the children "for-profit". <br><br>Little Footprints, Big Steps works with local social services and protection authorities to remove these children from orphanages and the streets. After listening to these childrens families, we understand that poverty is the common challenge and the situation that families face. Through our sustainable programs below and only with your valuable support, we are able to offer urgent medical care and help separated children reunite with their families, plus provide skills training as well as resources for youth and parents to become self-sufficient. <br><br>Help us provide safety and opportunity for these children. Your generous small or big donation will impact a life for a lifetime!
+
+
+
+ https://staging.giveth.io/project/Mangrove-Association
+ Mangrove Association
+ The Mangrove Association is a grassroots community organization that works to strengthen capacities, build skills, and implement agricultural practices that improve the quality of life of the population in the Bay of Jiquilisco Watershed of El Salvador. We focus our work on community organizing, disaster preparedness, climate change adaptation, food security, youth engagement, environmental conservation, and gender equality. The Mangrove Association contributes significantly to the development and well-being of the people in the region as well as the environmental sustainability of the land in the face of a changing climate. Our strategies are centered around building local capacity and developing participatory decision-making mechanisms so communities are organized and strong and resilient in the face of natural disasters, economic uncertainty, and political turmoil.
+
+
+
+ https://staging.giveth.io/project/Action-Pour-Les-Enfants-APLE-Cambodia
+ Action Pour Les Enfants - APLE Cambodia
+ Strengthen national social and legal mechanisms for the protection of children at risk of, or affected by, child sexual abuse or exploitation
+
+
+
+ https://staging.giveth.io/project/Soleterre-Strategie-di-pace-Onlus
+ Soleterre - Strategie di pace Onlus
+ Soleterre is a non-profit organization that works for the recognition and application of the right to health in its broadest meaning.<br>For this reason, in addition to providing medical care and assistance, it is committed to the protection and promotion of psycho-physical well-being of everyone, both individually and collectively, at any age and in any part of the world.<br>Prevention, report and the fight against inequality and violence, whatever the cause that generates it, are an integral part of Soleterres activity: because health is social justice.
+
+
+
+ https://staging.giveth.io/project/African-Bush-Camps-Foundation
+ African Bush Camps Foundation
+ The African Bush Camps Foundation is a registered not-for-profit organization that creates opportunities that empower rural communities located in vulnerable wildlife areas.<br><br>The Foundations mission is to partner with communities in Botswana, Zambia and Zimbabwe, to improve their quality of life through programs focusing on education, community empowerment and nature conservation, with a strong focus on human co-existence with wildlife. We work with the rural communities living in and around the wildlife areas in which African Bush Camps operates.
+
+
+
+ https://staging.giveth.io/project/Poverty-Eradication-Network
+ Poverty Eradication Network
+ Vision<br>A just society where all people have access to a life of dignity devoid of absolute poverty <br>Mission: <br>To strengthen the capacity of Civil Society Organisations and public institutions in Africa to eradicate absolute poverty; through development, demonstration of effective sustainable and good practice at all levels. <br><br>Values <br>1. Respect for human rights, equity and justice for all. PEN works with respect for the rights of all people to determine their own destiny and development, irrespective of ethnicity, religion, age or gender.<br>2. Respect for the innate potential, dignity and ability of all people to remake their own lives. PEN works with respect for the beliefs and wisdom of all our partners and applies participatory approaches that build upon existing knowledge and skills, and ensure ownership and control of outputs remains with them. <br>3. Transparency and Accountability. PEN ensures that its assets and resources are used exclusively for the achievement of its mission and consistent with its values. We are open in all our transactions and accountable for our expenditures and impact. <br>4. Concern for a healthy and clean environment. PEN promotes technologies that build upon indigenous knowledge and resources, while regenerating and protecting the environment, ensuring peopleas health and safety<br><br>PENas Strategic Aims<br>a To empower communities to be responsible for their development agenda<br>a To support credible and sustainable CSOs achieve their goals <br>a To work together with other stakeholders in creating an enabling environment for CSOs to operate
+
+
+
+ https://staging.giveth.io/project/BLIND-EDUCATION-AND-REHABILITATION-DEVELOPMENT-ORGANISATION-(BERDO)
+ BLIND EDUCATION AND REHABILITATION DEVELOPMENT ORGANISATION (BERDO)
+ The Mission Statement Of Blind Education And Rehabilitation Development Organization (BERDO) Is to rehabilitate the people with disabilities In The community by income generation, education, training and treatment facilities beside the normal people to relate with the social main stream.
+
+
+
+ https://staging.giveth.io/project/Allegheny-Land-Trust
+ Allegheny Land Trust
+ Allegheny Land Trust is a Western Pennsylvania non-profit organization with the mission of conserving and caring for local land for the health and well-being of current and future generations.<br>We envision a resilient region with abundant green space that is easily accessible and recognized as essential to the quality of life for all, and have protected more than 3,400 acres of woodlands and farmlands in the Pittsburgh Region since our founding in 1993.<br><br>Our conserved lands preserve natural beauty, provide enhanced outdoor recreational opportunities, protect and improve water and air quality, sustain biodiversity, remediate past environmental abuses, and contribute to the overall health and wellness of our regions communities and their residents.
+
+
+
+ https://staging.giveth.io/project/Nourish
+ Nourish
+ Nourish is a NoN Profit organization registered with the Department of Social Development in South Africa. Started by a young South African woman in 2011, Nourish was created to be a platform that could link conservation needs, issues and ideals with community issues and ideals - and aims to find integrated sustainable solutions to conservation issues such as poverty, low education standards, lack if food security and unemployment. Finding solutions that break the poverty cycle and create healthy resilient communities are ultimately solutions that link these individuals and communities back to their wildlife heritage and the jobs/opportunities created in the wildlife and tourism economy. Especially in the area of Acornhoek, Mpumalanga, where we focus our projects, there is a huge amount of poaching which is a conservation issue, but also a huge amount of poverty, as this is a neglected and under served area/community in South Africa. Solutions aimed at linking and bridging the two are the only way for this area to have a sustainable future. This is where Nourish focuses its projects; investing into sustainable livelihoods that will benefit communities and conservation, boosting their resilience.
+
+
+
+ https://staging.giveth.io/project/Tiny-Tickers
+ Tiny Tickers
+ To give babies with congenital heart disease a better start in life by improving the detection, diagnosis and care before and immediately after birth. Tiny Tickers aims to 1.Improve the detection and diagnosis of CHD; 2. Educate and support health professionals; 3. Advance treatment and care of patients and 4. Improve the experience of families affected by CHD<br><br>5,000 heart babies are born in the UK each year yet only one third of them are diagnosed before birth. A baby is born with a serious heart condition every two hours in the UK and despite congenital heart disease being one of the biggest killers of infants in the UK, only around half of congenital heart defects are picked up during routine prenatal scanning. It is absolutely vital that we provide a safety net for the 1,000 babies each year that leave hospital with their heart defect undetected. We want to increase early detection rates of cardiac conditions thus improving a babys chances of survival and long-term quality of life. <br>We are a small charity with big ambitions.
+
+
+
+ https://staging.giveth.io/project/Solidarity-Educational-and-Research-Foundation
+ Solidarity Educational and Research Foundation
+ Our mission is to develop viable models through educational and research programs that will promote solidarity among different groups in society.<br><br>We believe that the real development of the country is possible only in an atmosphere of solidarity, and solidarity can be achieved by combining the interests of different groups. This combination of interests is possible through the development and implementation of viable political programs, which require serious research activities, mechanisms for transmitting its results to different groups of society through educational programs. In this regard, educational and research programs are an absolute priority for the Solidarity Foundation, which can be supplemented by activities in other areas, if they ultimately serve the above-mentioned mission.
+
+
+
+ https://staging.giveth.io/project/AKSI
+ AKSI
+ AKSI works with disadvantaged people. These people have physical or mental problems, addictions, etc.. but they all have one thing in common: theyve been unemployed for ages because no one wants to hire them. AKSI gives these people a job in a social economic restaurant or in a chores group. This last groups offers to do chores for poor and elderly families in the community of Wellen. Due to these activities, AKSI realizes his mission: giving sustainable jobs and employment to those who have a disadvantage. In total, AKSI is the employer of 30 persons, but wants to grow. To achieve the objective of giving sustainable jobs and employment to disadvantaged people, AKSI realizes the following provisions, which also contribute to the organizations social purpose: 1) To provide work opportunities and equal chances for the employees within the company (battling long-term unemployment). 2) To create sustainable jobs, fair working conditions, job content and industrial relations. through participation of the employees, we strive for an optimal individual and collective development. 3) In a balanced manner meeting the respective interests of the stakeholders. 4) To give priority to activities, products and production methods that respect the environment in short and long term conditions. 5) simultaneously striving for gains in economic and social terms. Besides realizing employment, AKSI also gives lessons and guidance to their employees to improve their work skills and attitudes.
+
+
+
+ https://staging.giveth.io/project/The-Health-Wagon
+ The Health Wagon
+ The Health Wagon’s mission is to provide compassionate, quality health care to the medically underserved people in the Mountains of Appalachia. Our values are inclusiveness, community outreach, collaboration, spirituality, and empowerment.
+
+
+
+ https://staging.giveth.io/project/World-Wildlife-Fund-Inc
+ World Wildlife Fund, Inc
+ The worlds leading conservation organization, WWF works in 100 countries and is supported by 1.2 million members in the United States and millions globally. WWFs unique way of working combines global reach with a foundation in science, involves action at every level from local to global, and ensures the delivery of innovative solutions that meet the needs of both people and nature.
+
+WWF works to conserve the worlds most important forests to sustain natures diversity, benefit our climate, and support human well-being
+Safeguard healthy oceans and marine livelihoods
+Secure water for people and nature
+Protect the worlds most important species
+Drive sustainable food systems to conserve nature and feed humanity
+Create a climate-resilient and zero-carbon world, powered by renewable energy
+
+
+
+ https://staging.giveth.io/project/Missionvale-Care-Centre
+ Missionvale Care Centre
+ Our Mission:<br><br>Missionvale Care Centre is an interdenominational, non-profit organization committed to providing <br>quality care and support to improve the lives of the people of Missionvale through love, consultation, participation and self-development. We respond to the many needs of the people in the circumstances in which they live.<br><br><br>Our Vision:<br><br>To enter into the lives of the poor in their pain, loneliness and despair.<br> <br>To recognise that we have done nothing to deserve our prosperity, as they have done nothing to deserve their deprivation.<br> <br>To reach out a hand of solidarity, compassion and love, filled not with empty platitudes, but with food, medicine, learning and hope.<br><br>To learn from the sick and the vulnerable, the great lessons of humility and simplicity.<br> <br>To learn from ourselves the limits of our charity and the boundaries of our selflessness.<br> <br>To know and believe that a Care Centre, within our city and within our hearts, is only the beginning, but a beginning where anything is possible.<br><br><br>Our Objectives:<br><br> To provide an essential health, social and spiritual service.<br> To provide primary and pre-primary school education and other forms of educational development.<br> To promote a stable and harmonious home and community environment.<br> To develop a sense of pride and ownership in the people of Missionvale.<br> To concentrate on the development of children, especially those orphaned and vulnerable.<br> To use all the resources of the Care Centre to treat, alleviate and most importantly, prevent the scourge of HIV/AIDS.<br> To consolidate the achievements of the last 24 years by becoming self-sustaining.
+
+
+
+ https://staging.giveth.io/project/LGBT-Voice-of-Tanzania
+ LGBT Voice of Tanzania
+ The mission of LGBT VOICE Tanzania is to promote, support, defend and protect the interests and the general well-being of Gay, Lesbians, bisexual and Transgender people in Tanzania.
+
+
+
+ https://staging.giveth.io/project/Laurette-Fugain
+ Laurette Fugain
+ In memory of Laurette, who passed away suffering terribly from acute leukaemia, faced with an unbelievable lack of communication, it was first and foremost the need to fight to raise awareness of life-saving donations that brought together the founding members of the Laurette Fugain charity when it was created in September<br>2002. Our aim was to raise awareness among the public, and young people in particular, that donating blood, plasma, platelets, bone marrow, umbilical cord blood, and organs can save lives; and to present this as part of our civic responsibility and a natural thing to do.<br>Thanks to the huge momentum built up around the charity (by the general public, the media, doctors, etc.), we gradually broadened our focus to include supporting medical research and helping patients and their families, in order to have a bigger overall impact on the topics of leukaemia and blood disorders.<br>Laurette Fugain, the charity fighting against leukaemia, is committed to the following three aims:<br>1- Support medical research into leukemia <br>2- Recruit donors (blood, platelets, bone marrow) and raise awareness on this issue<br>3- Help patients and their families
+
+
+
+ https://staging.giveth.io/project/Drive-Forward-Foundation
+ Drive Forward Foundation
+ Founded in 2010 Drive Forward Foundation aims to support care leavers aged 16-26 in London to achieve their full potential through employment and education. With over 40% of care leavers being NEET (Not in Employment, Education or Training) and about half of them suffering from mental health disorder, care leavers present a highly vulnerable but also hugely neglected group within our society.<br><br>Our approach is based on the belief that meaningful employment and a career path of the individuals own choice, can help young people overcome the hurdles in front of them and create a better future for themselves. Our employment consultants therefore work with our clients on a 1-2-1 basis, providing guidance and support around planning a career and moving into independence. Also, our training sessions focus on improving employability, presentation and public speaking skills on the one hand, and increasing individuals confidence, motivation and basic communication skills on the other. Our corporate partners and special relationships to top employers in London further enable us to offer exclusive employment opportunities, internships and work experience to the young people working with us. Running interview preparation sessions and CV masterclasses, as well as donation their skills and time as mentors, their staff further support individuals to achieve their career goals.<br><br>Those four components, 10201 support + bespoke training + opportunities + mentoring, add up to a holistic approach, enabling care leavers to actively start shaping their own futures.
+
+
+
+ https://staging.giveth.io/project/Pencils-of-Promise-Inc
+ Pencils of Promise, Inc
+ Pencils of Promise (“PoP") is a 501(c)(3) nonprofit organization that believes every child deserves access to quality education. We create schools, programs and global communities around the common goal of education for all.
+
+
+
+ https://staging.giveth.io/project/Desai-Foundation
+ Desai Foundation
+ We empower women and children through community programs to elevate health and livelihood in India & U.S.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Ninos-de-los-Andes
+ Fundacion Ninos de los Andes
+ To reinstate and defend the fundamental rights of children and youth who live in the streets and whose rights are vulnerable. To work towards the reinforcement of the family unit and to promote a culture in which citizens co-responsibility and participation lead to the solution of this social injustice.
+
+
+
+ https://staging.giveth.io/project/Football-Club-de-la-Region-Houdanaise
+ Football Club de la Region Houdanaise
+ pratique du football et leducation sportive a travers une ecole de football
+
+
+
+ https://staging.giveth.io/project/Joyce-Meyer-Ministries-Inc
+ Joyce Meyer Ministries, Inc
+ Joyce Meyer Ministries is called to share the Gospel and extend the love of Christ. Through media we teach people how to apply biblical truth to every aspect of their lives and encourage God’s people to serve the world around them. Through our missions arm, Hand of Hope, we provide global humanitarian aid, feed the hungry, clothe the poor, minister to the elderly, widows and orphans, visit prisoners and reach out to people of all ages and in all walks of life. Joyce Meyer Ministries is built on a foundation of faith, integrity and dedicated supporters who share this call.
+
+
+
+ https://staging.giveth.io/project/Japan-International-Support-Program
+ Japan International Support Program
+ On the 11th of March 2011, Japan was hit by one of the most powerful earthquakes ever known to have hit the country. Following the earthquakes, large tsunamis devastated Japans north-eastern coast, damaging or destroying nearly 40,000 buildings, leaving 20,000 dead. IsraAIDs first team arrived on the ground 4 days after the tsunami, and distributed aid, cleaned houses, created child-friendly spaces, and rebuilt schools. During this period, IsraAID discovered a rapidly growing need for psycho-social and post-traumatic care, and has decided to launch the "Japan IsraAID Support Program (JISP)" in August 2013. Drawing on local and foreign knowledge, IsraAID and JISP have provided direct support to the victims and trained thousands of professionals and care providers in MHPSS, offering PTSD prevention, stress-management and leadership workshops.<br>Founded in the aftermath of the great disaster in Tohoku, JISP now operates as one of the leading humanitarian organizations based in Japans Tohoku Region where very few international NGOs activate.
+
+
+
+ https://staging.giveth.io/project/Merakey-Foundation
+ Merakey Foundation
+ Merakey is a leading developmental, behavioral health, and education non-profit provider offering a wide range of services for individuals and communities across the country.
+
+
+
+ https://staging.giveth.io/project/Warrior-Angels-Foundation
+ Warrior Angels Foundation
+ We provide answers, hope, and healing that returns proven leaders back to life by delivering brain injury prevention and care through proven nutraceuticals, personalized treatment protocols for U.S. Military Service Members and Veterans, Traumatic Brain Injury education, and research for all who are affected.
+
+
+
+ https://staging.giveth.io/project/Unbound
+ Unbound
+ Unbound is an international nonprofit that works to bring people together to challenge poverty in new and innovative ways. We create a practical and trustworthy way to empower individuals and families living in poverty to become more self-sufficient and fulfill their desired potential. Working in 19 countries, we build relationships of mutual respect and support that bridge cultural, religious and economic divides.
+
+
+
+ https://staging.giveth.io/project/First-Responders-Childrens-Foundation
+ First Responders Childrens Foundation
+ First Responders Children’s Foundation provides financial support to children who have lost a parent in the line of duty and families enduring significant financial hardship due to tragic circumstances. The Foundation also supports educational activities and programs created and operated by first responder organizations whose purpose is to benefit children or the communities in which they live.
+
+
+
+ https://staging.giveth.io/project/Health-Development-Initiative
+ Health Development Initiative
+ HDI was founded by a group of Rwandan physicians dedicated to promoting health and development in disadvantaged communities. The founders of HDI were born and raised in remote areas of Eastern and Central Africa, where simple, preventable diseases claimed many lives--especially those of women and children. Because of this, the founders were inspired to become healthcare professionals and work towards improving the health and well-being of their communities. <br><br>In 2005, HDI was born of a common passion to improve the accessibility of quality healthcare for all Rwandans, particularly marginalized populations whose needs remain under-served. The organization began by empowering individuals with basic knowledge and skills in prevention and treatment methods in the hope that one day all Rwandan citizens may lead healthy lives, free from preventable disease and premature mortality. In this spirit, HDI promotes sustainable, community-based interventions such as disease prevention, health training, and capacity building at both the individual and institutional level. <br><br>Today, HDI brings together a team with vast experience in medicine, public health, and community development to bridge the gap between communities and the health care system. Our mission is to promote community-based healthcare and development in Rwanda. We work to educate communities on health practices, empower providers to deliver better health services, and build sustainable alliances between communities and healthcare professionals. Using a rights-based approach, we advocate for quality healthcare for disadvantaged and marginalized groups. Through education and improved healthcare capacity, we seek to bridge the healthcare inequalities in our country.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Western-Connecticut
+ United Way of Western Connecticut
+ United Way of Western Connecticuts mission is to improve the lives of hard-working, struggling households by mobilizing the resources of local communities to create lasting change.
+
+
+
+ https://staging.giveth.io/project/CityServe-International
+ CityServe International
+ CityServe International confronts the most entrenched needs of our community through the local church, local businesses and local government. Our goal is to train and resource community leaders to respond to their neighbors in need and to seek the restoration of broken lives.
+
+
+
+ https://staging.giveth.io/project/Refugee-Empowerment-International
+ Refugee Empowerment International
+ Refugee Empowerment International is an independent non-profit organization that funds projects for people displaced by conflict around the world. REI supports projects that provide opportunities for people to lead an independent normal life while staying near to home and their loved ones; projects that enable people to give back to the community and make valuable contributions to the local economy as well as rebuilding their own future.
+
+
+
+ https://staging.giveth.io/project/Stephen-Siller-Tunnel-To-Towers-Foundation
+ Stephen Siller Tunnel To Towers Foundation
+ The Stephen Siller Tunnel to Towers Foundation is to honor the sacrifice of firefighter Stephen Siller who laid down his life to save others on September 11, 2001. We also honor our military and first responders who continue to make the supreme sacrifice of life and limb for our country.
+
+
+
+ https://staging.giveth.io/project/WeForest
+ WeForest
+ To conserve and restore the ecological integrity of forests and landscapes, engaging communities to implement and deliver lasting solutions for climate, nature and people.
+
+
+
+ https://staging.giveth.io/project/TARA-Foundation
+ TARA Foundation
+
+
+
+
+ https://staging.giveth.io/project/Katholiek-Onderwijs-Sint-Jan-Teralfene
+ Katholiek Onderwijs Sint-Jan Teralfene
+ Offer kindergarden and primary education to the children of Affligem and beyond
+
+
+
+ https://staging.giveth.io/project/Rusalya-Association-(-)
+ Rusalya Association ( )
+ Our mission is to help. Help children who truly need us. Weve started this project years ago and put in all of our soul, heart, energy and professionalism. Our last project, however, is different! Different in scale, duration, direction. If we want to successfully keep it on we need the help of many more people and make them stand behind our idea. So we dream and we hope that this pilot initiative will become a mission of the whole society. With joint efforts, new ideas and forms we hope to achieve results which affect society, the economy and the state.<br><br>After 13 years of working with disadvantaged children we came to the conclusion that about 40% of adolescents among them have intellectual potential well above average, and every second child has a brilliant talent or gift.<br><br>Thus, the project School of Arts and Crafts for Socially Disadvantaged Children was born . Generally our mission is:<br><br> To provide an opportunity for talented and gifted children to receive free quality education and upbringing.<br> Help to maintain, develop and improve their natural potential and turn it into a capital for their future;<br> To provide an individual approach and professional care, excellent facilities and environment filled with comfort, peace and love;<br> To promote the growth of good and smart people motivated and confident to realize their professional and life start;<br> To provide the best team of teachers, mentors, experts and inspiring artists who lead children to self-knowledge and self-expression.<br><br> <br><br>In fact, our most important mission is to have many, many smiles on the faces of the children! Being happy with everything that happens to them and around them, feeling comfortable in their growth and confident that after graduating from our school they have the knowledge and skills necessary to hold the future in their hands.
+
+
+
+ https://staging.giveth.io/project/Programa-de-Educacion-Comunal-de-Entrega-y-Servicio-Inc
+ Programa de Educacion Comunal de Entrega y Servicio, Inc
+ The mission of Project P.E.C.E.S., Inc. is to promote the educational, economic, and social development of southeastern Puerto Rico. The mission of the organization is directed to four programmatic areas: education, youth intervention and health, economic development, and community development with a special focus on youth development. Each goal seeks to strengthen the capacity of the southeastern communities- especially their youth - to resolve their own community problems. <br>The Program for Community Education through Commitment and Service, Inc. (P.E.C.E.S., Inc.) is a non-profit community organization incorporated in the State Department of Puerto Rico, with federal tax exemption (501-C-3) and state tax exemption (101-6). The goals of Project P.E.C.E.S., Inc. are directed to four programmatic areas: education, youth intervention, economic development and community development. The objectives of P.E.C.E.S., Inc. are: <br>To contribute to the economic development of southeastern Puerto Rico. <br>To form leaders that participate in the social development of their communities. <br>To improve the educational opportunities of southeastern Puerto Rico.<br>To strengthen families and communities through programs directed to impact high risk behaviors. <br>To prevent child abuse and neglect, high risk behaviors, and negative conduct through an integral program of prevention, counseling, orientation and social work. <br>To reduce and prevent the abuse of drugs, alcohol, tobacco, AIDS, violence, and juvenile delinquency. <br>To provide youth with positive alternatives, service opportunities, and leadership formation. <br>Project P.E.C.E.S., Inc. is very proud of our following accomplishments: <br>Operating the first licensed and accredited high school created especially for school drop outs. <br>Preparing more than 600 community youth leaders throughout our 25 years of service in southeastern Puerto Rico. <br>Administering the Natural Reserve of Humacao, based upon a contract of 15 years with the Natural Department of Resources, as an initiative to create employment and community economic development, as an ecological tourism business and as an environmental protection project. <br>Project P.E.C.E.S. Inc. has established a Youth Development Center<br>Winning the prestigious Tina Hills Award in 2003 for excellence as a non-profit organization
+
+
+
+ https://staging.giveth.io/project/Kukula-Solar
+ Kukula Solar
+ Our mission is to replace dirty and expensive lighting solutions with sustainable energy alternatives for the million people living without electricity in Southern Africa.
+
+
+
+ https://staging.giveth.io/project/Food-from-the-Heart
+ Food from the Heart
+ Vision: To be the leading charity in Singapore devoted to alleviating hunger through efficient distribution of food.
+
+Mission: To alleviate hunger by providing reliable, consistent and sustainable food support to the less fortunate through food distribution programmes.
+
+
+
+ https://staging.giveth.io/project/Human-Development-Foundation-(Mercy-Centre)
+ Human Development Foundation (Mercy Centre)
+ We stand together with the poor. We work together with our neighbors in the slums to create <br>simple but progressive solutions that touch the lives of thousands of the poor every day. We build and operate schools, improve family health and welfare, protect street childrens rights, combat the AIDS crisis, respond daily to emergencies, and offer shelter to street kids, to orphans, and to children and adults with AIDS - always together, hand in hand and heart to heart with the people we serve.
+
+
+
+ https://staging.giveth.io/project/JUNTOS-UNA-EXPERIENCIA-COMPARTIDA-AC
+ JUNTOS UNA EXPERIENCIA COMPARTIDA AC
+ Juntos, una experiencia compartida is a non-governmental organization that seeks social and work inclusion for people with disabilities with empowerment and training programs in San Luis Potosi Mexico.
+
+
+
+ https://staging.giveth.io/project/Globalteer
+ Globalteer
+ Globalteers mission is to support local community development initiatives in underprivileged areas in order to create a more equal society. We do this by creating community-led projects and providing resources to partner NGOs, so we can accomplish goals that serve our shared vision.
+
+
+
+ https://staging.giveth.io/project/Chicas-en-Tecnologia
+ Chicas en Tecnologia
+ Chicas en Tecnologia (CET) is a non-profit organization that has sought to close the technological gender gap since 2015, through free and open programs and initiatives that encourage, motivate, train, and support the new generation of female leaders in technology.
+
+
+
+ https://staging.giveth.io/project/DDing-Dong-LGBTIQ-Youth-Support-Center
+ DDing Dong LGBTIQ Youth Support Center
+ DDing Dong plans to become a multi-purpose organization that helps queer teens to rest, play, have meals, sleep, wash up, study, learn about human rights and supports them to be independent. It will also strive to become a professional safe house that operates 24 hours.
+
+
+
+ https://staging.giveth.io/project/Defy-Hate-Now-(South-Sudan)
+ Defy Hate Now (South Sudan)
+ Promoting digital rights and creating a framework for increasing trust between stakeholders and communities in Africa through mobilizing civic action against all forms of hate speech, misinformation, human rights violations, and incitement to violence.
+
+
+
+ https://staging.giveth.io/project/ForRefugees
+ ForRefugees
+ At forRefugees our vision is for every displaced person in Europe to be welcomed with humanity and respect in Europe and given the helping hand they need to find safety, peace and happiness in their new forever home.<br><br>We work collaboratively to help ensure every displaced man, women and child asking for Europes help gets the support they need to start their new life with dignity. That is, to have a place to live, enough food to eat, clothes to wear, warmth, lighting and hygiene. Along with access to essential information and education. <br><br>We primarily do this by raising money that helps fund inspiring humanitarian projects delivered on-the-ground by our grassroots volunteer partners. We work together keeping people and hope alive. <br><br>"Whoever you think are the most disadvantaged people in society, refugees are below that."<br><br>- Trish Clowes, forRefugees Ambassador<br>forRefugees uniquely brings together donations from individuals, businesses and trusts to give grants and emergency funding to our trusted grassroots partners on-the-ground. Those volunteers supporting refugee communities on Europes front-lines. Together were filling shamefully big gaps in aid and humanity and, without the tireless dedication of our volunteers, refugee men, women and children would be struggling to even survive. <br><br>Were acting now providing very real help, human-to-human, to many of the worlds most vulnerable people. We only wish we didnt have to.
+
+
+
+ https://staging.giveth.io/project/Business-for-Better-Society
+ Business for Better Society
+ As a global foundation, BBS promotes and facilitates excellence in giving and mentoring. We match corporations and individuals, their funds and/or skills, with purposeful, sustainable and high impact non-profit initiatives. Through our work we create responsible partnerships and support a culture of accountability, innovation and greater effectiveness in the non-profit sector. We have no religious or political affiliations.
+
+
+
+ https://staging.giveth.io/project/Vision-Awake-Africa-for-Development
+ Vision Awake Africa for Development
+ VAAFD was founded by Liberian refugees in Ghana with a purpose of bettering the lives of Liberians in both Ghana and Liberia, irrespective of race, sex and religious affiliations. VAAFDs programmes are centered on EDUCATION as the cornerstone to the empowerment of their community. The main aim is to build a school and self-sustaining environment for 850 unaccompanied minors in the town of Suakoko, Liberia.
+
+
+
+ https://staging.giveth.io/project/Federacion-Red-Argentina-para-la-Cooperacion-Internacional-(RACI)
+ Federacion Red Argentina para la Cooperacion Internacional (RACI)
+ Contribute to the social transformation of Argentina through the creation of a space for exchange and interinstitutional dialogue, which brings together all actors and agents related to the process of sustainable development.
+
+
+
+ https://staging.giveth.io/project/Jafra-Foundation-for-Relief-and-Youth-Development
+ Jafra Foundation for Relief and Youth Development
+ To empower vulnerable populations in<br>Palestinian refugee camps and gatherings,<br>by supporting and educating children and<br>enhancing youths potential. We commit to<br>investing in their skills and capacities to lead<br>the communitys development<br>process effectively, while responding to<br>emergency and long-term needs.
+
+
+
+ https://staging.giveth.io/project/Favela-61
+ Favela 61
+ To support marginalized and dispossesed people in Kharkiv consolidating their bottom-up initiatives, fostering cross-movement alignment, spreading and improvins skills for further organizing on a long term basis.
+
+
+
+ https://staging.giveth.io/project/Meseret-Humanitarian-Organization-(MHO)
+ Meseret Humanitarian Organization (MHO)
+ Empowering and changing the personal, social and economic status of women and childrens of Ethiopia who live in under<br>poverty by giving the opportunities and supports which leads to development.
+
+
+
+ https://staging.giveth.io/project/Oil-and-Mines-Governance-Center-(OMGC)
+ Oil and Mines Governance Center (OMGC)
+ Promouvoir léducation, la formation, la transparence, la responsabilité et la bonne gouvernance dans le secteur des ressources naturelles, en vue dassurer que lexploitation des ressources apporte des bénéfices économiques et sociaux a lEtat et aux citoyens.
+
+
+
+ https://staging.giveth.io/project/Hogar-Bambi-Venezuela
+ Hogar Bambi Venezuela
+ To provide excellent quality holistic and nurturing care to children and youth between 0 and 18 years of age who are not able to live with their families. Separated from their family environment due to abuse, mistreatment or economic hardship, Hogar Bambi provides children with a temporary, substitute home that serves as a stable foundation for their growth and development. Hogar Bambi then facilitates their return to their biological families or adoption in order to re-integrate the child into a family environment with safe and stable conditions.
+
+
+
+ https://staging.giveth.io/project/Good-To-Be-Good
+ Good To Be Good
+ GOOD TO BE GOOD is an intersectional, community-wide, grassroots humanitarian and advocacy organization with a mission to serve women and marginalized communities and help build a kind and equal world.<br><br>Our vision for an equitable, compassionate, and sustainable world is guided by a feminist, anti-oppressive, anti-racist, trauma-informed framework and the values of compassion and interconnectedness.<br><br>Our rights-based and service work is rooted in a commitment to womens empowerment, equity, justice, and liberation. It ensures a gender-responsive focus that centres on issues impacting women, particularly BIPOC (Black, Indigenous, People of Colour) women, girls, and gender-diverse persons from communities subjected to marginalization. Our efforts use an intersectional and holistic approach to respond to their urgent and unique priorities, while bringing awareness to the underlying causes and longstanding systemic inequities that make people vulnerable in the first place.<br><br>We combine restorative and empowering supports, programming, and advocacy for women and gender-diverse people in our communities who have felt the effects of inequity-from gender-based violence and structural poverty, to unequal treatment-to realize gender equality for all.
+
+
+
+ https://staging.giveth.io/project/Sistema-Cyprus
+ Sistema Cyprus
+ Sistema Cyprus is a social-music orchestra programme established in 2017. Sistema Cyprus provides accessible music education to the children and young people of Cyprus, including migrants, refugees and disadvantaged children and young people, and ensures that these disadvantaged groups are respected, recognised, and included in the society. Sistema Cyprus is an El Sistema inspired social action music programme that was first founded in Venezuela in 1975.<br>Currently, Sistema Cyprus operates in Nicosia and Larnaca and engages 200 children and young people in orchestra, choir and community music activities, through the work of 15 professional musicians, 20 musician volunteers and the support of 80 program support volunteers. Sistema Cyprus expertise includes community music education and musical instrument teaching to vulnerable populations through a methodology that is adjusted to the model of developing a learning environment based on safety, inclusion, and equality. Finally, Sistema Cyprus is an expert in training young people to use music for promoting social inclusion for refugee, migrant and disadvantaged children and young people. <br>Sistema Cyprus works to educate and empower marginalized populations, providing them with opportunities for social inclusion and broadening the visibility of their success stories. Through our social music programme, we strive to offer a better life opportunity to marginalized children who are often feeling unwelcome from belonging to the society that they live in.<br>El Sistema and other related El Sistema programs offer free classical music education that gives impoverished children and youth all over the world the opportunity for personal development. Sistema Cyprus is focused on the personal development of its participants focusing primarily on empowerment and reaching their potentials. Through the formation of orchestras and choirs, El Sistema acts as a superb model, reaching children and young people to many of the worlds underprivileged neighbourhoods.<br>Our main activities include daily practice of instrumental learning, orchestra and choir rehearsals where every child or young people is in Sistema Cyprus for 5 hours per week. In addition, we organise 3 concerts every year where the students of Sistema Cyprus present their work to thousands of people in Cyprus. Finally, we offer trainings for musicians twice per year on how to use music as a tool for social inclusion and social integration.<br>Our theory of change: A city, a country, a world where there is "no longer oppressor nor longer oppressed, but human in the process of achieving freedom" (Paolo Freire).<br>With only 2 year of existence Sistema Cyprus has established major achievements. <br>Sistema Cyprus established important collaborations and has been entrusted by organisations that supported their actions in every manner such as UNCHR Cyprus, US Embassy in Cyprus, Nicosia Municipality, European Cultural Foundation, the Global Leaders Program and the Carnegie Hall in New York .<br>The most important achievement is the collaboration with three universities in Cyprus (University of Nicosia, European University Cyprus and Frederick University Cyprus) that provide academic scholarships to the students of Sistema Cyprus. This achievement further develops Sistema Cyprus students opportunity to dream and set high goals for their life.<br>Sistema Cyprus is an International Partner of Carnegie Hall in New York implementing the "Lullaby project" in Cyprus, where brings together vulnerable new moms and pregnant women with artists in order to compose specialized lullabies for their babies. <br>Sistema Cyprus is also a partner of the Global Leaders Program which empowers a rising generation of change-makers in music to transform lives and communities through an innovative nine-month Executive Graduate Certificate in Social Entrepreneurship, Cultural Agency, Teaching Artistry, and Civic Leadership. Led in partnership with nine top universities and think tanks including Harvard, Georgetown, McGill, Johns Hopkins, and Duke Universities, and a world-class faculty that includes two Nobel Laureates, the Program is offered annually to a select Cohort of 40 of the most promising emerging talents from around the globe.<br>In July 2020, Sistema Cyprus contribution to society and specifically the Executive Director, Dr Nikoletta Polydorou has been awarded by Her Majesty the Queen Elizabeth II with the Commonwealth Points of Light Award.
+
+
+
+ https://staging.giveth.io/project/Habitat-para-la-Humanidad-Argentina-Asociacion-Civil
+ Habitat para la Humanidad Argentina Asociacion Civil
+ We seek to follow the teachings of Jesus Christ, and work in partnership with people from all walks of life. We endeavour to build communities in Argentina by helping those in need build simple, economic housing for themselves and their families, and by then encouraging them to help others around them and so build community. We hope that by our caring, and by working together, the families we help will learn of the love of God and themselves help build loving, caring communities.
+
+
+
+ https://staging.giveth.io/project/A-PAD-KOREA-(Asia-Pacific-Alliance-for-Disaster-Management)
+ A-PAD KOREA (Asia Pacific Alliance for Disaster Management)
+ The Asia Pacific Alliance for Disaster Management (A-PAD) is a trans-national disaster aid alliance that works to facilitate cooperation and understanding between governments, private companies and NGOs in the Asia Pacific region.<br><br>We will facilitate collaboration among the member countries for the purpose of delivering effective and efficient disaster assistance through disaster preparedness, risk reduction, relief and recovery.<br><br>A pre-agreement among governments, private companies, and NGOs would make it possible for us to act together and deliver even more effective and efficient disaster assistance to disaster victims.<br><br>Contact<br>Access<br>Donate Now<br>Whats ASIA PACIFIC ALLIANCE?<br>Introducing Asia Pacific Alliance<br>for Disaster Management<br><br><br>See all Videos<br><br>Whats New<br><br>Fifth Regional Platform in the PhilippinesA-PAD Davao Established<br>2019.01.26<br>See all<br><br>Emergency Project list<br><br>Emergency Response to Lombok Earthquake<br>2018.08.08<br>See all<br><br><br>What we do | ASIA PACIFIC ALLIANCE FOR DISASTER MANAGEMENT<br>Deliver Effective and Efficient Disaster Assistance to as Many People as Possible.<br><br>HOMEWhat we do<br><br>A pre-agreement among governments, private companies, and NGOs would make it possible for us to act together and deliver even more effective and efficient disaster assistance to disaster victims.<br><br>A difference we want to make...<br><br>International rescue efforts are becoming increasingly common in todays world. Each country, however, sends their team separately, and their rescue efforts are often conducted independently of each other.<br><br>It is true that each country is trying to do its best in rescuing disaster victims. Yet, if we could reach a pre-agreement, not merely among nations but also between different sectors, to act together to fight any future disaster...<br><br>We would be able to deliver even more efficient and effective disaster aid to even more people, in even less time.
+
+
+
+ https://staging.giveth.io/project/AIPC-PANDORA-(Asociacion-para-la-integracion-y-Progreso-de-las-Culturas)
+ AIPC PANDORA (Asociacion para la integracion y Progreso de las Culturas)
+ AIPC Pandora is a non-profit organization that works to generate the knowledge and the capacity of action needed at the international level for the construction of a more just and peaceful world.<br><br>For this, we develop Global Learning Experiences for educational, intercultural, solidarity or professional insertion in one of the 57 countries in which we are present. <br><br>We work both in Outbound / Outbound and Inbound / Host projects in Spain, offering transformative experiences based on the "Learning-Service" methodology that form global citizens in how to intervene in the great challenges of the world today.
+
+
+
+ https://staging.giveth.io/project/MEAction
+ MEAction
+ #MEAction is an international network of patients fighting for health equality for Myalgic Encephalomyelitis and Chronic Fatigue Syndrome (ME/CFS). We build community and mobilize patients, family, and allies to make ME/CFS front and center. We were founded with the belief that while we may find it difficult to advocate for ourselves in the physical world, by making our activism accessible, we can be an unstoppable force. Our Mission is to build a global movement of patients, families, and allies that leverages the power of technology and community to fight for research funding, medical education, and public awareness for ME/CFS.
+
+
+
+ https://staging.giveth.io/project/Educar-Integrar-y-Crecer-Asociacion-Civil
+ Educar, Integrar y Crecer Asociacion Civil
+ Educar y Crecer (EyC) since 2006 improves the educational quality of children in vulnerable situations with innovative, effective and easy-to-replicate programs. Through its own didactic material, focused on the areas of Language Practice and Mathematics, it strengthens the school trajectories of primary-level students.<br>EyC has its own educational center in Jose Leon Suarez (Prov. Of Buenos Aires) in which all educational proposals are designed, implemented and evaluated, and 8 centers that it co-manages with the Education Secretariats of the Government of the City of Buenos Aires and the municipality of Tres de Febrero. In addition, through a social franchise model, it works in a network with other educational organizations in different provinces that replicate its programs, to reach even more students and strengthen their school careers. <br>EyC develops a system of standardized assessments that reflect relative progress in students school performance, measuring the impact of their projects and allowing their feedback.
+
+
+
+ https://staging.giveth.io/project/HOPE-RISING-HOMES-FOUNDATION
+ HOPE RISING HOMES FOUNDATION
+ HRHF is an arm of Hope Rising Homes, Corporation (HRHC). Our mission is to give orphans, vulnerable and at-risk children a better life, by providing hope for a brighter future and a vision of life beyond their present vulnerable situations. HRHC strives to provide food, housing, education, and health care services; as well as rehabilitation, and clinical and faith-based counseling services to these needy children. HRHC aims to provide opportunities for the children to pursue either educational and/or job training, and other skill enhancements needed to become productive citizens. Additionally, by offering positive role models to guide and mentor these children, HRHC believes the children will overcome their negative pasts, and move on to bright and prosperous futures. We strongly believe that with the proper intervention, these children will thrive, develop to their full potential, and positively influence and contribute to their immediate communities and to the society at large.
+
+
+
+ https://staging.giveth.io/project/Alawite-Islamic-Charity-Association
+ Alawite Islamic Charity Association
+ The Alawite Islamic Charity Association AICA, a non-profit non-governmental organization located mainly in Jabal Mohsen - Tripoli and Akkar, registered under the decree No. 4500/1950 , was founded in 1950 in order to claim the rights of communities through development and social projects as well as Health care and medical services.<br>Its projects and activities aim to mitigate all forms of discrimination towards civil Rights access (medical, health, education, work opportunities, or any other additional required support), raise individual and collective awareness, mainstream protection and disseminate risks prevention.<br>The intervention strategy consists on holistic and sustainable community development, Advocacy and Peace Building, education and training, primary health care and medical services, religious services.<br>Since 1950, AICA has created several institutions in order to ensure specific programs/activities responding to Alawite community and individuals needs, such as:<br>Alzahraa Medical Dispensary<br>House of Wisdom Center<br>The Social Hall<br>Alduha School<br>Mosque of Imam Ali bin Abi Talib (AS)<br>Mosque of Lady Fatima Alzahra (AS)<br>VISION<br>AICA ensures equity and access to Human Rights for vulnerable individuals and communities with facing any kind of discrimination, as for the Alawite Islamic Communities. AICA intends encouraging community development, through access to Rights/education, health, protection and economic empowerment from apart, and from another part, facilitating Psycho-social Support and Peace-building through Sport, art and different community initiatives.<br>MISSION<br>In reference to values and principles of Imam Ali (AS), AICA develops a humanitarian emergency response action, development and benevolence, targeting the whole community through adopting an integrated global ecosystem approach based on Rights (health care services, social awareness, cultural and educational services via its primary health care center, its schools, PSS center, Wisdom House/ Beit EL Hekme) and all its Alawite religious institutions), based on needs of vulnerable communities.<br>MAIN GOAL<br>AICA intends leading a global networking through faith in potentials, reinforcing positive social values, resources management, creating opportunities, strategic partnerships and community development.<br>VALUES<br>Based mainly on Imam Ali (AS) values, then with referring to Human Rights Declaration Charter and Social Work basis, AICA Chosen basic values related to Development in general, and specifically for its intervention, such as:<br>Collaboration<br>Giving<br>Humanity<br>Human Dignity<br>Social Justice<br>Partnership<br>Sustainability<br>Identity<br>Peaceful Life Values<br>COMPONENTS OF ACTION<br>Alzahraa Medical Dispensary as a primary health care center ensuring a number of doctors, providing health care services and workers in a safe, effective and proper performance and quality, equally to all beneficiaries (neither based on racism, nationality, religion, gender or age).<br>House of Widsom Center is the social center of the Association which provides social, cultural and religious services to a large number of beneficiaries where:<br>- A team conducting a geographical survey of Jabal Mohsen in order to assess the humanitarian situation then to ensure the appropriate assistance, whether in kind, material or services.<br>- All kinds of activities whether awareness sessions, general culture, vocational rehabilitation and/or psychosocial support which are conducted by AICA employees or within the collaboration a number of local and international organizations.<br>o Community Development: Community projects/ Livelihood and socioeconomic empowerment (especially the women empowerment project for cooking and preparing the substance "Beit ElMouneh", with acknowledge the remarkable initiative of Baskets of Peaces Substance) as well as encouraging several community led ...<br>o Protection/ Education / Training: Qualitative Education (School in Akkar), Training for youth and Capacity Building of groups, communities and professionals.<br>o Peace-building/ PSS through Support groups discussions /Sport/ Arts/ Skills/ Workshops<br>WHO WE ARE?<br>A group of professionals and volunteers who aim community development and access to rights (Education/Health/Protection/Employment opportunities/Food/Personal skills development ) with no discrimination, awareness and advocacy through awareness sessions and peace-building, support through encouraging youth led initiatives, and Psycho-Social Support through Arts, Sport as well as Productive workshops.<br>WHY DO WE EXIST?<br>We believe in human values and positive youth potential and we consider AICA exists to ensure a better access to basic Individuals Rights and to assist vulnerable communities to rise-up facing their fact, believing in their potentials and values in order to think and make the necessary change into their lives. AICA calls for a social cohesion within respecting others difference, a good communication and partnership to make Change through actions.<br>WHAT WE DO?<br>We provide community-based development program through education, Training, economic empowerment, women and youths led based on Rights and acceptance of the different others in order to re-build peace and tie positive relations.<br>We engage and empower vulnerable categories of community through combined projects to become programs such as Primary Health care; education; Protection; PSS via group discussions, arts and sports, Peace-building via livelihood training and workshops as well community led/initiatives, etc<br>WHERE?<br>We exist in Lebanon, since 1950, in Tripoli and Akkar.
+
+
+
+ https://staging.giveth.io/project/Brownstone-Institute
+ Brownstone Institute
+ Brownstone Institute looks to influence a post-lockdown world by generating new ideas in public health, scientific discourse, economics, and social theory. It hopes to enlighten and mobilize public life to defend and promote the liberty that is critical for an enlightened society from which everyone benefits.
+
+
+
+ https://staging.giveth.io/project/Enders-Island
+ Enders Island
+ The mission of Enders Island is to proclaim in word and deed the Gospel of Jesus Christ in the light of the Catholic faith. A Catholic Retreat Ministry that provides three principal activities: Recovery, Sacred Art and Spiritual Retreats. Each year, thousands of people of all faiths are welcomed to participate in programs of spiritual renewal and recovery.
+
+
+
+ https://staging.giveth.io/project/Lady-Freethinker
+ Lady Freethinker
+ LADY FREETHINKER IS A VOICE OF COMPASSION FOR ANIMALS<br><br>LFT gives a voice to those who cannot speak out for themselves, and effects meaningful, lasting change through investigative reporting and other media, citizen petitions, and partnerships with rescuers and activists on the ground worldwide. Together, we are changing the way the world sees and treats animals for the better.
+
+
+
+ https://staging.giveth.io/project/Ama-International
+ Ama International
+ Love without borders. Ama sin fronteras.
+
+
+
+ https://staging.giveth.io/project/Hope-Unlimited-for-Children-Inc
+ Hope Unlimited for Children Inc
+ Transforming the lives of children at mortal risk, providing them and their future generations a productive future and Eternal hope.<br><br>The problem is millions of homeless children on Brazils city streets - a killing field where a nations youth survive as commodities for drugs, sex, and violent crime. In the late 80s, when Philip Smith and his father, Jack, first heard about the plight of Brazils street children, off-duty police were becoming after-dark death squads, systematically exterminating thousands of the "public nuisances" for local business owners. Fortunately, the government was able get a handle on the situation. But for a child on the streets, the childrens life expectancy still amounts to three to five years.<br><br>An estimated 7 to 8 million Brazilian children are on the streets - living, breathing refuse of desperately poor homes, where parents have turned to drugs, alcohol, and crime. And this is the world of Hope Unlimited - organized in 1991 to reclaim and parents the lost children of Brazil.<br><br>Over the past 30 years, reaching deeply into one life at a time, Hope Unlimited has directly touched the lives of over 24,000 children - including their next generations. Operating in Campinas, São Paulo (the City of Youth), founded in 1991 and, in Vitoria, Espírito Santo (Hope Mountain) founded in 1999. Each location has a residential programs for homeless youth as well as certified job training in a dozen different marketable skills. Over 600 kids are also bussed in everyday from the surrounding slums to participate in our Vocational Training program. When Hope succeeds, the cycle is broken: a child grows up to become a productive and contributing member of society. Even more importantly, they have become loving and Godly parents. Fully 92% of the boys and girls who completed the residential program at Hope Unlimited are employed today.
+
+
+
+ https://staging.giveth.io/project/Certified-Humane(r)
+ Certified Humane®
+ The Certified Humane® program is a thought-leader in the industry of sustainable agriculture as it relates to ethical farm animal practices. We are proud that Certified Humane® standards can impact food-chains globally and that we offer an easy way for consumers to help support this important movement.
+
+
+
+ https://staging.giveth.io/project/EFE-Maroc
+ EFE-Maroc
+
+
+
+
+ https://staging.giveth.io/project/COC-Nederland
+ COC Nederland
+ COC Netherlands is the Dutch LGBTI organization and an international LGBTI human rights organization supporting activists in over 35 countries world wide. <br><br>In the Netherlands our aim is to empower and emancipate lesbian, gay, bisexual and transgender individuals and promote the social acceptance of this group in the wider Dutch society as a whole. <br><br>Internationally we support the LGBTI movement by building a constructive relationship with LGBTI activists where it is needed most, promote the dialogue on sexual orientationi and gender identity and access human rights instruments to promote the specific rights of LGBTI people where-ever we can
+
+
+
+ https://staging.giveth.io/project/Mission:-Cure
+ Mission: Cure
+ Mission: Cure is pioneering a new model for curing painful chronic diseases using innovative financing. Our first target is pancreatitis, an excruciatingly painful disease with no effective treatment other than palliative care. We are developing therapies and implementing a better health care model for the children and adults affected by this disease.
+
+
+
+ https://staging.giveth.io/project/Fountain-Church
+ Fountain Church
+ Leading people to see Jesus clearly, love him deeply & follow him wholeheartedly.
+
+
+
+ https://staging.giveth.io/project/House-of-Science-NZ-Charitable-Trust
+ House of Science NZ Charitable Trust
+
+
+
+
+ https://staging.giveth.io/project/Women-Inspiration-Development-Center
+ Women Inspiration Development Center
+ The Women Inspiration Development Center (WIDC) is an initiative designed to create a safe place for Nigerian women and girls in challenging life circumstances to envision and create new possibilities for their lives, families and communities. <br><br>WIDC is committed to advancing womens right and creating a refuge for victims of gender based violence and disenfranchised women and girls. Through agency-based empowerment, WIDC supports these women and girls as they improve their health, economic well-being and social status, leading fulfilling lives free of violence. We believe in the inherent potential and ability of every woman to overcome obstacles, take control of her life, emerge confident and strong, and make meaningful contributions to her society. <br><br>WIDC was formed in 2009 by Busayo Obisakin along with a group of women friends and colleagues. Initially they called themselves Vigilantes against Violence and set out to curb the violence against women and girls through a variety of services and activities they offered throughout the local community. After a short while, it became clear that the name needed to change to reflect the widening scope of the work done by the group to help protect and improve the lives of women in the community. The group officially became registered as an organization, Women Inspiration Development Center, in 2010. <br><br>Mission: To improve the health, economic, and social status of Nigerian women and girls in order to empower them to lead fulfilling lives free of violence. <br><br>Vision: We envision a Nigeria where women and girls are empowered and they create new possibilities for themselves without fear or intimidation.
+
+
+
+ https://staging.giveth.io/project/The-School-Club-Zambia-UK
+ The School Club Zambia UK
+ School Club Zambia envisions a Zambia where every child has access to a high quality, vocational and creative education as outlined in the UN Convention of the Rights of the Child. We believe in an education system that leads to job security and life opportunities for Zambias youth.<br><br>We exist to upskill and innovate the education system in rural Zambia, with a particular emphasis on entrepreneurship, vocational skills training and addressing the key barriers that prevent girls from completing their education.
+
+
+
+ https://staging.giveth.io/project/Rays-of-Hope-Alexandra
+ Rays of Hope Alexandra
+ Building mutually transforming relationships to realise individual potential, creating opportunities for development to independence, through partnership with the previously disadvantaged people of Alexandra township, on the border of Sandton, Johannesburg.
+
+
+
+ https://staging.giveth.io/project/Rafiki-Ya-Maisha
+ Rafiki Ya Maisha
+ We founded Rafiki Ya Maisha to provide vocational training to unemployed young people & women in need, who have no secondary education nor access to trade schools in rural Western Kenya. This forgotten group of youths gets material assistance for acquiring life skills through our small college in Chepkanga. This village empowerment endeavor has components in conservation, health, culture, micro-finance, counseling, brick making. We are building a larger polytechnic center to serve Sergoit area.
+
+
+
+ https://staging.giveth.io/project/Volunteers-Foundation
+ Volunteers Foundation
+ Volunteers Foundation is a registered charity in the UK and Kenya founded in 2011 with the mission of improving the challenging living conditions of children in Kibera through education, food and health provision.<br><br>We believe that by understanding the local culture, identifying local community champions, and providing effective educational programs and tools we can change the status-quo and improve the lives of hundreds of children and their families.<br><br>Volunteers Foundation Programs are aligned to UN development goals and operate in three areas: Health, Nutrition, Education
+
+
+
+ https://staging.giveth.io/project/Network-of-Organizations-Working-for-People-with-Disabilities-Pakistan
+ Network of Organizations Working for People with Disabilities, Pakistan
+ We envision that persons with disabilities (PWDs) have equal access to opportunities and are an integral part of society. We strive to promote an inclusive society through holistic and sustainable endeavors in the areas of education and economic empowerment.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Conservation-Trust
+ Wildlife Conservation Trust
+ All projects are undertaken with the eventual goal of repopulating animals (both captive-bred and rehabilitated) to suitable natural preserves, with a long term view of benefiting broad-scale wildlife conservation objectives in South Africa, for the ultimate well being of planet earth and its inhabitants. <br>To make a sustainable difference to vulnerable animal species, specifically those under threat of extinction. To be a partner to those whose work is fundamental to conservation, but who are restricted by a lack of money; as well as those who have the desire and capacity to offer tangible support. To educate people about the need to conserve wildlife and the environment.
+
+
+
+ https://staging.giveth.io/project/Zeal-Church-Inc
+ Zeal Church, Inc
+ The Bible is God’s Word to all people. It was written by human authors under the supernatural guidance of the Holy Spirit. Because it was inspired by God, the Bible is truth without any mixture of error and is completely relevant to our daily lives. It alone is the final authority in determining all doctrinal truths.
+
+
+
+ https://staging.giveth.io/project/Global-Health-Ministries-(GHAP)
+ Global Health Ministries (GHAP)
+ GHAP partners to advance health for all by engaging a network of global health leaders to strengthen health systems in low-resource countries, where poverty and scarcity contribute to the health equity gap..
+
+
+
+ https://staging.giveth.io/project/City-Hope-Family-Inc
+ City Hope Family, Inc
+ Love God. Love People. Give Hope.
+
+
+
+ https://staging.giveth.io/project/Childline-Thailand-Foundation
+ Childline Thailand Foundation
+ Childline Thailand provides its services for any child under the age of 18. The foundation works with various government and NGO stakeholders to safeguard the rights of every child as outlined by the United Nations Convention on the Rights of a Child (CRC).<br><br>Over one hundred countries worldwide have their own child helplines and many others are in the process of starting one. Helplines for children across the world have demonstrated their effectiveness by providing direct assistance to children in need and making comfort, help and emotional support immediately available.<br><br>Children are encouraged to talk about their problems without judgment or fear of making things worse. Outreach services can link children to immediate rescue, safety and provide direct support to the child.<br><br>"SaiDek 1387", like most Childlines around the world, is not associated with any government agency. This makes it possible for the organization to urge the authorities to take action and to fully function as a spokesperson and representative of the child population of Thailand.<br><br> Additionally we provide support to children in street situations
+
+
+
+ https://staging.giveth.io/project/Instituto-Dara
+ Instituto Dara
+ Dara Institute is a civil society organization that works to promote health and human development by implementing and promoting an integrated multidisciplinary approach to fight poverty. A world pioneer in intersectoral work with social determinants of health, it was founded by Dr. Vera Cordeiro, in 1991, in Rio de Janeiro, Brazil. Our objective is to contribute to changing the health and human development framework in society, incorporating an integrated multisectoral approach to fight poverty. For the 8th consecutive year, SC ranked best NGO in Latin America and 21st in the world, according to NGO Advisor, a Swiss publication.
+
+
+
+ https://staging.giveth.io/project/Fundatia-ROLDA
+ Fundatia ROLDA
+ ROLDA is an international charity operating in Romania to solve humanely, efficiently and responsibly the strays population, estimated to 2.5 millions. Our keys focuses are rescue, rehabilitation, rehoming, spay/neuter, social programs, education. We treat animals in places where no one else will and every day, we make a difference on the front line of animal welfare. We work to demand justice for the forgotten, for those who have no voice to speak up with. This dream is possible, but not without your support.
+
+
+
+ https://staging.giveth.io/project/American-Liver-Foundation
+ American Liver Foundation
+ ALF’s mission is to promote education, advocacy, support services and research for the prevention, treatment and cure of liver disease.
+
+
+
+ https://staging.giveth.io/project/Alive-Medical-Services
+ Alive Medical Services
+ Alive Medical Services (AMS) exists to provide and model comprehensive prevention, care, treatment, and support of HIV and other health needs for its clientelle using a holistic approach incorporating education, training, and research to empower them to live a quality life.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-Inner-Peace
+ Foundation for Inner Peace
+ To Publish, Distribute and Discuss A Course in Miracles.
+
+
+
+ https://staging.giveth.io/project/Public-Organization-Sadoqat
+ Public Organization Sadoqat
+ The mission of Public Organization Sadoqat is to promote welfare of rural people in Tajikistan through implementation of various development programs on education, healthcare, protection of women, girls and children, prevention of violence, support of vulnerable groups such as persons with disabilities, infrastructure, quality drinking water supply, sanitation and hygiene, empowerment of youth, support to young talents, creative thinking, environmental protection and sustainability, and other relevant areas not prohibited by the Tajik and international legislation.
+
+
+
+ https://staging.giveth.io/project/Envision-Unlimited
+ Envision Unlimited
+ Our mission is to provide persons with disabilities or other special needs quality services that promote choice, independence, and inclusion.
+
+
+
+ https://staging.giveth.io/project/The-Pad-Project
+ The Pad Project
+ The Pad Project’s mission is to create and cultivate local and global partnerships to end period stigma and to empower women and all menstruators worldwide.
+
+
+
+ https://staging.giveth.io/project/Amplifier
+ Amplifier
+ Amplifier is a nonprofit design lab that builds art and media experiments to amplify the most important movements of our times.
+
+
+
+ https://staging.giveth.io/project/Atlanta-Community-Food-Bank
+ Atlanta Community Food Bank
+ The Atlanta Community Food Bank fights hunger by engaging, educating and empowering our community. Working through a network of more than 700 nonprofit feeding programs, we distribute millions of pounds of food each month to families, children and seniors in 29 counties in Greater Atlanta and North Georgia.
+
+
+
+ https://staging.giveth.io/project/Minority-Humanitarian-Foundation
+ Minority Humanitarian Foundation
+ The mission of Minority Humanitarian Foundation is to provide a humanitarian response to the issues facing asylum-seekers and refugees on a global scale. MHF believes that all humans should be treated with dignity and respect, despite country of origin. Through on-the-ground relief efforts, health services, housing, transportation services and legal representation we work to ensure the health and safety of the people we work with. Then through education and job placement we work to ensure their success in a new country.
+
+
+
+ https://staging.giveth.io/project/Parityorg
+ Parityorg
+ Our mission is to close the gender and racial gaps at the highest levels of business, where the gap is widest. To date, more than 1 million employees on six continents work for a company that have participated in our work.<br><br>The World Economic Forum predicts that gender and racial parity will be fully achieved within companies in about 150 years, and Parity.org is solving this problem within 3-5 years.
+
+
+
+ https://staging.giveth.io/project/Red-COMAL
+ Red COMAL
+ We are a national network of small-scale farmers, cooperatives, and community microfinance associations dedicated to integrated development, sustainable agriculture, and building a more equitable rural economy based on solidarity and respect. We believe that sustainable change is only possible when communities are working together, and that is what we have been helping communities across Honduras do since our founding in 2006. Our network works together to create what we call a solidarity economy: a local rural economy in which different parts of society work equitably together to create prosperity and well-being for all. Our vision is to build the strength of community organizations, committed to integral local and national development, who can effectively advocate for economic, social and cultural rights, and ensure dignity and quality of life for all Honduran families.
+
+
+
+ https://staging.giveth.io/project/Associacao-Maes-pela-Diversidade
+ Associacao Maes pela Diversidade
+ The Association "Maes pela Diversidade" was born from a natural meeting of mothers and fathers of Lesbians, Gays, Bisexuals and Transgender from all over Brazil, concerned with the moment of political setback that the country is still experiencing, the advance of fundamentalism, the violence against the LGBTQIA+ population and the need to fight for the civil rights of their sons and daughters, promoting the understanding of common sense to encourage respect and tolerance for sexual orientation and gender identity, through raising societys awareness.
+
+
+
+ https://staging.giveth.io/project/Breaking-Ground
+ Breaking Ground
+ Breaking Ground’s mission is to strengthen individuals, families and communities by developing and sustaining exceptional supportive and affordable housing as well as programs for homeless and other vulnerable New Yorkers.
+
+
+
+ https://staging.giveth.io/project/Christian-Communicators-Worldwide-Inc
+ Christian Communicators Worldwide Inc
+ SPREAD THE GOSPEL OF JESUS CHRIST
+
+
+
+ https://staging.giveth.io/project/The-Church-in-McKinney
+ The Church in McKinney
+ The church in McKinney isn’t our name – it’s our description. As such, it’s an inclusive title, not an exclusive one. We gather together simply as believers of the Lord in the city of McKinney, and we receive as our brothers and sisters all who believe in Jesus Christ. Likewise, we warmly welcome guests and visitors who are not Christians.
+
+
+
+ https://staging.giveth.io/project/United-Way-Of-Tarrant-County
+ United Way Of Tarrant County
+ United Way of Tarrant County has worked to improve the lives of those in our communities since 1922. As a nonprofit leader, we bring together individuals, groups, donors and service providers to help solve some of the toughest social issues affecting Tarrant County. Each year, United Way of Tarrant County helps more than 300,000 people through its resources. United Way of Tarrant County has no fees on donor designations, with 100 percent of the donation going to the selected agency or cause.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-of-Greater-Chattanooga
+ Community Foundation of Greater Chattanooga
+ Together with our community and partners, we transform generosity into lasting change toward a prosperous and just Chattanooga where all can thrive and achieve their full potential.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Semilla
+ Fundacion Semilla
+
+
+
+
+ https://staging.giveth.io/project/Tesla-Science-Center-at-Wardenclyffe
+ Tesla Science Center at Wardenclyffe
+ To develop the site of Nikola Tesla’s last remaining laboratory into a transformative global science center that embraces his bold spirit of invention, provides innovative learning experiences, fosters the advancement of new technologies, and preserves his legacy in the Tesla Museum.
+
+
+
+ https://staging.giveth.io/project/The-Abolition-Initiative
+ The Abolition Initiative
+ We participate in the worlds toughest endurance events in order to raise money and awareness to abolish the sex trafficking industry.
+
+
+
+ https://staging.giveth.io/project/Tees-Valley-Wildlife-Trust-Ltd
+ Tees Valley Wildlife Trust Ltd
+ Work with local authorities, businesses and others to protect, manage and enhance land for wildlife.<br>Promote lifelong learning in environmental matters through a programme of education and training.<br>Manage its nature reserves.<br>Work with local partners to ensure that wildlife and natural places contribute to the environmental, social and economic regeneration of the Tees Valley.
+
+
+
+ https://staging.giveth.io/project/Hong-Kong-Cancer-Fund
+ Hong Kong Cancer Fund
+ Hong Kong Cancer Fund (HKCF) is Hong Kongs largest cancer support organisation, providing free information and professional support to anyone living with or affected by cancer. Our goal is to make life better for people touched by cancer. <br><br>Our Mission:<br>We ensure no one faces cancer alone.<br><br>Background<br>Established in 1987, our vision was to better the quality of cancer support in Hong Kong and ensure that no one faces cancer alone. We began by offering free information and support to anyone touched by cancer, which has slowly expanded over time to address all aspects of living with cancer.<br><br>Our work now encompasses public education, cancer research, home care, peer support, complementary therapies, funding of hospital equipment and much more in filling the gaps in cancer care and making life better for people touched by cancer. <br><br>The aims of HKCF are to help people adjust to living with cancer and to make life better for people touched by cancer, addressing all aspects of the cancer journey.<br><br>The objectives are to provide free services with professional carers who help clients manage the physical, emotional, psychological and social challenges brought about by a cancer diagnosis. <br><br>By offering a wide range of free support and rehabilitation programme, our goal is to empower individuals so that their cancer journey is as comforting, informed and stress-free as possible.<br><br>Hong Kong Cancer Funds services are free! Receiving no money from the government, we rely solely on public generosity to sustain our free and on-going cancer support services.
+
+
+
+ https://staging.giveth.io/project/Innovative-Young-Minds-Charitable-Trust
+ Innovative Young Minds Charitable Trust
+ Our Mission<br><br>Innovative Young Minds goal is to expose young women in school years 11 and 12 to career and research opportunities available in STEMM (science, technology, engineering, mathematics and high-tech manufacturing) sectors here in New Zealand. IYM seeks to encourage diversity and equality in our science and technology industry by inspiring a new generation of innovators and industry leaders. <br><br>Females are grossly underrepresented in the STEMM sector and we want to change that. For example, only 12% of engineers in New Zealand are currently women. Women also face significant barriers in entering and progressing within the science and technology workforce. Increasing female participation in STEMM will mean greater innovation and economic success for everyone. In the testing times we are currently in, this new breed of creative problem solvers and innovators will be the ones tackling the big challenges of the 21st century such as Covid-19 and climate change.<br><br>We need to inspire talented people to invent new ways of working, living, travelling and making things. To build a better future, the next generation of engineers, scientists, engineers and technicians need to better reflect our diverse society. This is why it is so important to encourage more young women to get involved in science and technology. <br><br>New Zealand is home to brilliant and passionate young women. We know this because 370 of them have participated in IYMs programmes. These young women give us hope for the future. IYMs mission is to break down barriers and encourage young women to enter the STEMM sector and to do so we must ensure that our programmes are as engaging and accessible as possible. <br><br>Our programmes are run by a small but passionate team made up of our five dedicated board members, who come from within our local business and council networks, and one very hard working part time operational staff member. Despite the small team, were working hard to make a difference to the young women in New Zealand by providing fit-for-purpose locally-based programmes so that we can invigorate our future STEMM labour market.<br><br>How Covid-19 changed our programmes<br>When Covid-19 arrived in 2020, it changed everything for IYM. We were unable to run our normal residential programmes and in response, we created a purpose built online programme that could be delivered to a larger number of students across New Zealand. Delivered virtually via Zoom and Google Classroom, the programme was hugely successful demonstrating there was a strong demand for an accessible online programme. This year our online programme was held in the April school holidays and nearly 100 young women from across New Zealand participated in it.<br><br>Creating an engaging and participatory virtual programme from scratch in a short time had its challenges but the feedback we received from students told us we were on the right track. We incorporated virtual site tours, compelling and inspirational speakers, mentoring sessions and the Innovation Challenge which is the highlight of every programme we run. The participant fee was only $30 including GST per person which ensured the programme was accessible to all.<br><br>We were lucky to have Covid-19 relatively well under control in New Zealand by mid 2021 so we were able to proceed with both the new online programme AND our original residential programme, just with a few tweaks; this year we made the decision to only open the residential programme to students in the Greater Wellington Region (rather than the whole country) as this meant that we could more easily manage the financial risks associated with further Covid-19 related lockdowns. This programme was held in the July 2021 school holidays and 39 young women from high schools from the Greater Wellington Region took part.<br><br>During the week-long residential programme, students attended site visits at universities, Crown Research Institutes and other STEMM organisations where they took part in a range of hands-on STEMM activities. During the programme, students also interacted with women from the science and technology sector who shared their personal journeys and experiences, completed an innovation challenge over the week and learned to network with industry representatives. Students also joined sponsors, business representatives and participants from across the programme at a formal parliamentary reception to finish the week. Thanks to the generosity of our funders, participants only pay $170 including GST per person and successful applicants pay this fee once they are accepted onto the programme.<br><br>On both our online and residential programmes, participants experience the following:<br>- Tours of laboratories and other spaces in universities, Crown Research Institutes and businesses.<br>- Interactive sessions where researchers and innovators showcase their research and work.<br>- Inspiring career sessions led by women working in STEMM.<br>- Team-building and networking sessions.<br>- An Innovation Challenge where participants work in teams led by industry expert mentors.<br><br>Accessibility is key to our success<br>We know that there are numerous barriers that stop students, and particularly young females from experiencing STEMM opportunities. Some of these include where they live, family life, expectations and responsibilities, and financial barriers. Our goal is to reduce as many of these barriers as possible so that at least 140 young New Zealand female students per year get the opportunity to experience STEMM careers that might spark their interest for the future. <br><br>Whilst our programmes have been through a period of growth and change since IYMs inception in 2017, we have never been afraid of making changes, for the right reasons. So far we have delivered once-in-a-lifetime learning opportunities for over 370 young women from years 11 and 12 and with additional funding and support we know that we can make this even more impactful and ultimately extend our impact even further.<br><br>The Innovation Challenge<br>The Innovation Challenge aspect of the programme is immensely successful as it encourages teamwork, friendship, collaboration, problem-solving and design-thinking skills. It also develops research skills and builds confidence as participants deliver presentations back to their peers.<br><br>Wed like to grow this into The 3M Innovation Challenge so that more young women can participate, learn and benefit from the experience. We know it is life changing, can lead to friendships and gives students the confidence they might need to pursue their passion for a STEMM career - or at the very least give new opportunities a go.<br><br>The Innovation Challenge allows students to:<br>- Investigate the Challenge.<br>- Choose enabling technologies and design a solution using these.<br>- Make a quick prototype of their solution.<br>- Present their solution.<br>- Celebrate success in a supportive team environment.<br><br>"If these young women keep up the confidence and motivation I saw, our future is going to benefit from a fabulous generation of problem-solvers". <br>Innovation Challenge 2021 judge Vanessa Oakley, General Manager, Strategy & Business Operations, Chorus<br><br><br> "I found it inspiring to see the environmental solutions that the young women in this years IYM cohort developed during the Innovation Challenge and the poise with which they presented their ideas. Young people think of solutions that adults would never dream of. Investing in them might be the key to building a better world".<br>Innovation Challenge 2021 judge Dr Catlin Powers, Namaste Foundation<br><br>Video links for more information:<br>https://youtu.be/4UjtV94jUkA<br>https://youtu.be/BXw-k5d0MhA<br>https://youtu.be/BlwdpiK-QeI
+
+
+
+ https://staging.giveth.io/project/YMCA-of-Rock-River-Valley
+ YMCA of Rock River Valley
+ To put Christian principles into practice through programs that build healthy spirit, mind, and body for all.
+
+
+
+ https://staging.giveth.io/project/Chandler-Park-Conservancy
+ Chandler Park Conservancy
+ The mission of the Conservancy is to develop exceptional educational, recreational and conservation opportunities at Chandler Park for youth, and people of all ages.
+
+
+
+ https://staging.giveth.io/project/Ollie-Hinkle-Heart-Foundation
+ Ollie Hinkle Heart Foundation
+ The mission of the Ollie Hinkle Heart Foundation is to strengthen and empower families affected by congenital heart disease. <br><br>We achieve this mission by wrapping families in love; providing medical and mental health support; and funding impactful and innovative technology.
+
+
+
+ https://staging.giveth.io/project/Restorative-Justice-for-Oakland-Youth-(RJOY)
+ Restorative Justice for Oakland Youth (RJOY)
+ RJOY’s mission is to interrupt cycles of violence, incarceration, and wasted lives, by promoting a cultural shift from punitive responses to wrongdoing that increase harm to restorative approaches that heal it. We create consciousness shifts and systems change through education, training, direct services, advocacy, demonstration programs and movement-building. RJOY is a national thought leader in promoting the practice of restorative justice through a racial justice and cultural healing lens.
+
+
+
+ https://staging.giveth.io/project/Forest-Healing-Foundation-(Guarantee)-Limited
+ Forest Healing Foundation (Guarantee) Limited
+ Our mission is to protect high biodiversity forest and regenerate degrading land in Sri Lanka. Our vision is that forests stay forests.
+
+
+
+ https://staging.giveth.io/project/New-Hour
+ New Hour
+ New Hour’s mission is to provide pre- and post-release services that promote successful community re-entry and family reunification for incarcerated and formerly incarcerated women and mothers and their children. New Hour’s unique model provides a continuity of care to its members, starting with programming in the jails, and then individualized services and referrals once they are released.
+
+
+
+ https://staging.giveth.io/project/Other-Ones-Foundation-Inc
+ Other Ones Foundation, Inc
+ The Other Ones Foundation is a nonprofit that offers extremely low-barrier work opportunities, case management, and humanitarian aid to people experiencing homelessness in Austin, TX.
+
+
+
+ https://staging.giveth.io/project/Shamrock-Way-Inc
+ Shamrock Way Inc
+ We serve communities at risk through social impact programs. Our programs focus on youth aged 12-17, single mothers, and veterans.
+
+
+
+ https://staging.giveth.io/project/Child-Action-Ltd
+ Child Action Ltd
+ Child Action is a UK registered charity specialising in education and personal development initiatives in India and the UK. The charity was founded by entrepreneur Dr Seema Sharma in response to the terrible poverty she witnessed in Mumbai whilst filming a documentary with Channel 4 as part of the Secret Millionaire series, during which she volunteered with several grassroots NGOs in India. <br><br>Child Actions work reflects our passionate commitment to preventative strategies which ensure that marginalised groups of people living in India are given the help they need to achieve self-reliance and self-sufficiency. <br><br>Together with our three local NGO partners, Doorstep School, Toybank and Apnalaya, we support the development of young people living in extreme poverty by creating learning opportunities for children living within Mumbais most disadvantaged street and slum communities.<br><br>Our personal relationships with these partner organisations enable us to communicate on a regular basis, ensuring an in-depth understanding of their needs. We undertake regular project monitoring and work with our partners to produce progress reports. This alleviates the administrative burden for the grass roots NGOs, maximising the impact of donor funds for our work in India. <br><br>The work carried out by our partners is having a transformational and long-lasting effect on the lives of children who face the desperately unfair challenge of being born into families facing extreme poverty.
+
+
+
+ https://staging.giveth.io/project/Breast-Cancer-Research-Foundation
+ Breast Cancer Research Foundation
+ The mission of the Breast Cancer Research Foundation is to prevent and cure breast cancer by advancing the worlds most promising research.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Jacinto-Convit
+ Fundacion Jacinto Convit
+ Fundacion Jacinto Convit (FJC) is a non-profit institution founded in June 2012 that preserves, protects and continues the work, projects, values and philosophy of the renowned scientist, physician and humanist Dr. Jacinto Convit. Inspired in the vision of social service through science, the FJC is comprised by a multidisciplinary team of professionals from the healthcare, basic, social and human sciences that develop research, social and educational programs to favor the local healthcare system, social progress and humanity in general. FJC is an independent institution that works in collaboration and alliance with public institutions, research centers, academia, multilaterals, non-profits and private organizations. Its aim is to work for the benefit of the most in need through high impact scientific and social programs.<br><br>Institutions under Legal Agreement<br><br> Hospital de Ninos "JM de los Rios"<br> Instituto Oncologico "Dr. Luis Razzetti"<br> Hospital San Juan de Dios<br> Hospital Central de San Cristobal<br> Instituto Autonomo Hospital Universitario de Los Andes<br> Hospital Universitario de Caracas<br> Ciudad Hospitalaria "Dr. Enrique Tejera"<br> Banco Municipal de Sangre<br><br>Institutional Collaborators<br><br> St. Jude Childrens Research Hospital, USA.<br> Hospital San Juan de Dios. Barcelona, Spain.<br> Escuela de Medicina "Jose Maria Vargas", Universidad Central de Venezuela.<br> Sociedad Anticancerosa de Venezuela. Venezuela.<br> Instituto Venezolano de Investigaciones Cientificas. Venezuela.<br> Instituto de Estudios Avanzados. Venezuela.<br> Laboratorio clinico Blau. Venezuela.<br> Laboratorio Genomik. Venezuela.<br><br>Programs<br><br>Research<br>Experimental Immunotherapy Unit (EIU)<br> Develops therapeutic options for chronic and infectious diseases based on treatments directed to the patients immune system to fight a disease.<br> Currently develops Dr. Convits personalized breast cancer immunotherapy, ConvitVax, a potentially safe, effective, low cost treatment option for patients.<br> Works to advance clinical trials in the US, South America and Europe using the ConvitVax.<br> Aims to enhance Dr. Convits personalized immunotherapy by combining the ConvitVax with other therapies to increase the anti-tumor effect of the vaccine.<br><br>Molecular Diagnostic Unit (MDU)<br> Provides a highly specialized free medical assistance service for the molecular diagnosis of malignant neoplastic diseases (such as leukemia and some solid tumors) and infectious diseases (mainly HIV).<br> Provides a service directed to the most vulnerable pediatric and adult population in the country who attend public hospitals that are under agreement with the FJC.<br> Works with in-house protocols based on molecular techniques and generates scientific research based on rare findings in these pathologies.<br> Contributes to the improvement of mortality and morbidity rates in patients with some types of cancer.<br> Seeks to extend this program to all public oncology services in Venezuela to benefit a greater number of patients, as well as to develop new diagnostic tests in cancer.<br> For certain tests, the FJC has become a Latin American reference, since it is the first molecular diagnostic laboratory in the region evaluating certain gene alterations based on these techniques.<br> <br><br>Educational<br>Jacinto Convit Digital Library<br> Develops a virtual library specialized in the works of Dr. Jacinto Convit in order to recover, preserve, and facilitate the access to bibliographic and hemerographic work, as well as all that is produced by or about him.<br> Serves to support the programs executed by FJC by providing its resources and documents to the general, therefore contributing to the academic and social development of the country.<br><br>Values through Science<br> Brings the life, work and achievements of Dr. Jacinto Convit, and the work performed by the FJC, to educational institutions, communities, public and private institutions, congresses and events.<br> Gives lectures, informative talks, film forums, presentation of documentaries, publication of educational materials and recreational activities.<br> Aims to motivate and inspire all crowds with Dr. Convits life as a role model.
+
+
+
+ https://staging.giveth.io/project/Achieva
+ Achieva
+ Achieva advocates for, empowers, and supports people with disabilities and their families throughout their lives.
+
+
+
+ https://staging.giveth.io/project/Faith-Church
+ Faith Church
+ NULL
+
+
+
+ https://staging.giveth.io/project/Friends-of-Inti-Wara-Yassi
+ Friends of Inti Wara Yassi
+ Our mission is to provide the best quality of life possible to wildlife rescued from illegal trading, and to diminish animal trafficking through educational programs and public action, in partnership with the authorities and other organizations. Through this work we aim to inspire mankind to uphold values that promote conservation and the recuperation of biodiversity.<br><br>Our vision is a world in which wildlife lives freely in its natural habitat; free from the dangers of indiscriminate hunting, senseless capture and the destruction of their ecosystem.<br><br>Our main objectives are:<br><br> To defend the environment and conserve biodiversity.<br><br> To rescue and rehabilitate wild fauna that has fallen victim to trafficking and abuse.<br><br> To appropriately care for all wild animals that are rescued from captivity.<br><br> To coordinate and carry out research and education programmes that will support and contribute to the conservation of our ecosystem.
+
+
+
+ https://staging.giveth.io/project/Animal-Humane-New-Mexico
+ Animal Humane New Mexico
+ Animal Humane New Mexicos mission is to support & improve the lives of New Mexico’s cats & dogs through sheltering, adoptions, humane education & veterinary services. We envision a society in which every animal is treated with respect & compassion.
+
+
+
+ https://staging.giveth.io/project/Foundation-For-New-American-Art-Inc
+ Foundation For New American Art Inc
+ We are a 501(c)(3) nonprofit bringing art and music to at-risk, underserved children.br><br>Our mission: to educate, as well as strengthen, the artistic and musical spirit of low-income communities.
+
+
+
+ https://staging.giveth.io/project/East-Stroudsburg-University-Foundation-Inc
+ East Stroudsburg University Foundation, Inc
+ East Stroudsburg University Foundation fosters lifelong relationships with alumni and friends of East Stroudsburg University, securing philanthropic support to advance the Universitys mission and to enhance every students University experience.
+
+
+
+ https://staging.giveth.io/project/Roadrunner-Food-Bank-Inc
+ Roadrunner Food Bank, Inc
+ Roadrunner Food Banks mission is to feed every hungry person today, seed partnerships that build self-sufficiency for tomorrow, and lead to achieve our vision of permanently ending hunger in New Mexico. For over 40 years, Roadrunner has distributed millions of pounds of food through a statewide network that includes four smaller food banks; over 450 partner organizations such as food pantries, schools, senior centers, healthcare clinics, and direct service programing. The entire state is served by Roadrunner and its hunger relief network, and the state is one of the neediest in the country.
+
+
+
+ https://staging.giveth.io/project/Sukarya
+ Sukarya
+ The mission of Sukarya is to focus on ensuring equitable access to quality health services for all including the poorest sections of the society, especially women, adolescents and children. All our interventions are designed and implemented to meet the following objectives:<br><br>To improve maternal child health & nutrition<br><br>To advocate, promote and sensitize communities on Primary <br>Health Care, Reproductive Child Health and Family Planning.<br><br>To advocate, encourage and guide positive health-seeking behavior with special emphasis on physical, mental and social well-being.<br><br> To empower women by strengthening their physical, emotional well-being and economic stability.<br><br>The vision of Sukarya is health for all. "Better Health, Better Society"; a society in which citizens enjoy holistic health and their well-being. Healthy and successful citizens contribute actively to overall growth of their family, community and the society.
+
+
+
+ https://staging.giveth.io/project/Kiss-the-Ground
+ Kiss the Ground
+ Awakening people to the possibilities of regeneration.
+
+
+
+ https://staging.giveth.io/project/Topeka-Community-Foundation
+ Topeka Community Foundation
+ Connecting donors with their interests and community needs, increasing charitable giving in our community, providing leadership on key community issues and ensuring stewardship and accountability for effective community investment of donor dollars.
+
+
+
+ https://staging.giveth.io/project/Health-in-Harmony
+ Health in Harmony
+ Our mission is to reverse tropical rainforest deforestation to halt the nature and climate crisis. We do this by listening to rainforest communities and investing precisely in their solutions (healthcare, livelihoods, and education). Our programs return improved human health and improved forest health and drawdown of CO2.
+
+
+
+ https://staging.giveth.io/project/Berks-County-Community-Foundation
+ Berks County Community Foundation
+ The mission of Berks County Community Foundation is to promote philanthropy and improve the quality of life for the residents of Berks County, Pennsylvania.<br>Why donate crypto?: The IRS classifies cryptocurrency as property for tax purposes, which makes donating cryptocurrency directly to the Community Foundation extremely tax efficient.
+
+
+
+ https://staging.giveth.io/project/Sphoorti-Foundation
+ Sphoorti Foundation
+ SPHOORTI is a non-profit organization working for underprivileged children - orphaned, abandoned and destitute. We seek to change lives of such children - by providing them with long-term care. This includes basic needs, education and healthcare, and skills necessary to transform them into responsible citizens.
+
+
+
+ https://staging.giveth.io/project/The-Greater-Salina-Community-Foundation
+ The Greater Salina Community Foundation
+ Our mission is to help people invest in meaningful ways to make a difference in the community by building permanent endowment funds and meeting charitable community needs. We help people impact today and transform tomorrow!<br><br>The Greater Salina Community Foundation serves 12 regional affiliates in Kansas:<br><br>· Community Foundation for Cloud County<br><br>· Heartland Community Foundation<br><br>· Jewell County Community Foundation<br><br>· Osborne County Community Foundation<br><br>· Ottawa County Community Foundation<br><br>· Post Rock Community Foundation<br><br>· Republic County Community Foundation<br><br>· Smith County Community Foundation<br><br>· Smoky Hills Community Foundation<br><br>· Smoky Valley Community Foundation<br><br>· Solomon Valley Community Foundation<br><br>· Washington County Community Foundation
+
+
+
+ https://staging.giveth.io/project/Cornerstone-Community-Outreach
+ Cornerstone Community Outreach
+ Addressing Homelessness, Providing Shelter, Accepting People, Finding Home.. Our donors are mixture of individals and corporations that are primarily in the US but ocassionally we do receive donations from international individuals or corporations.
+
+
+
+ https://staging.giveth.io/project/Community-Health-Housing-and-Social-Education-(CHHASE)
+ Community Health, Housing and Social Education (CHHASE)
+ COMMUNITY HEALTH, HOUSING AND SOCIAL EDUCATION (CHHASE), TAMIL NADU<br>Background<br>Community health, housing and social education (CHHASE) NGO is involved in social work for Scheduled castes, Scheduled tribes, other backwards classes and under privileged. Team of youth, who have passion in social service and compassion towards the sufferings of the disadvantaged sections of the society, came together and formed CHHASE.<br><br>Our team have clear insight in the socio-economic, education, health and environment issues faced by the downtrodden, under privileged and marginalized segments of the communities. CHHASE NGO India is a non-governmental, non-profit, social service voluntary organization working for an integrated development of women and children of downtrodden segment of the society.<br><br>CHHASE NGO believes that all human beings are equal and has the right to have good health, shelter, food and minimum standard of living. CHHASE NGO has touched new heights by Regular Activities to fulfil the mission of organization. Our executive committee oversees all the organizations efforts. The committee meets regularly to ensure that all of our teams perform efficiently and to facilitate cross-functional connections. CHHASE NGO have excellent staff, volunteers & members, who are dedicated, are available for any social cause (s) always. They are our real strength to carry the noble cause of uplifting the downtrodden.<br> <br>CHHASE NGO was registered in the year 2001 under TN Societies Registration Act, 25 of 1976. It is also registered under the FCRA, 12A & 80G of Income Tax Exemption Act, 1961. CHHASE NGO is completed due diligence norms and listed with CREDIBILITY ALLIANCE, & GUIDE STAR INDIA.<br><br>CHHASE NGO has been collaborating with foreign donor agencies, corporate, national donor agencies both governmental and non-governmental towards making meaningful interventions for the cause of poor and needy sections of the society.
+
+
+
+ https://staging.giveth.io/project/Fundacion-CRAN
+ Fundacion CRAN
+ Our mission is to ensure that our boys, girls and adolescents grow up in a familiar, loving and caring environment that allows them to exercise their rights.<br><br>Our vision is to be a social development organization recognized for its impact in transforming adults into those responsible for effectively ensuring the rights of those in infancy and adolescence.<br><br>Our values:<br><br>Transparency: We adopt self-regulation principles in order to generate confidence about who we are and what we do<br>Respect: We recognize one another as valuable, worthy and different human beings
+
+
+
+ https://staging.giveth.io/project/Lighthouse-Relief
+ Lighthouse Relief
+ OUR MISSION IS TO PROVIDE DIGNIFIED IMMEDIATE AND LONG-TERM RELIEF TO THOSE EXPERIENCING DISPLACEMENT. WE USE A SUSTAINABLE, PARTICIPATORY APPROACH, THAT IS DRIVEN BY THOSE WE SERVE. OUR VISION IS A WORLD IN WHICH THE HUMAN RIGHTS, SAFE MOVEMENT, DIGNITY, AND WELL-BEING OF ALL PEOPLE ARE RESPECTED.<br><br>We provide dignified emergency relief and psychosocial support to refugees and asylum seekers in Greece. Our participatory approach responds flexibly to the evolving needs of people experiencing displacement, with a focus on children and youth.<br><br>We envision a society that greets forcibly displaced people with dignity and humanity, while guaranteeing their safe passage and protection per international law.<br><br>Dignity and respect for the equal rights of all people guide everything that we do. This is reflected in our commitment to always listen to those we work with, and ensure that they are equal partners in our activities.
+
+
+
+ https://staging.giveth.io/project/Feeding-Coventry
+ Feeding Coventry
+
+
+
+
+ https://staging.giveth.io/project/EPIC-Empowering-People-with-Intellectual-Challenges
+ EPIC Empowering People with Intellectual Challenges
+ EPIC’s mission is to empower adults with Intellectual and Developmental Disabilities to maximize their independence. Our vision is to provide a safety net of vital services for people with Intellectual and Developmental Disabilities (IDD). Our purpose is to help people with IDD have a better quality of life.
+
+
+
+ https://staging.giveth.io/project/ASHWINI-CHARITABLE-TRUST
+ ASHWINI CHARITABLE TRUST
+ Ashwini Charitable Trust (ACT) is a registered non - governmental organization that educates and empowers underprivileged children and supports them till they are gainfully employed. <br>ACT is a growing organisation in every way: we began on 1st April, 2000 with 9 children and reached 305 children from about the 200 families thus raising the quality of life of more than 1000 people in Bangalore slums . All the children are first generation literates: their mothers are housemaids and fathers, unskilled labourers. The education that every child at ACT gets is an all round development programme that ensures every childs physical, mental and emotional Wellness.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Ekosistem-Gili-Indah-(Gili-Eco-Trust)
+ Yayasan Ekosistem Gili Indah (Gili Eco Trust)
+ The Gili Eco Trusts mission is to create a sustainable island. <br>To promote eco-tourism amongst businesses, stakeholders and visitors to ensure tourism doesnt create a detrimental effect to the natural environment.<br>We aim to provide a healthy environment for traditional working animals through education of the horse cart drivers, free health and welfare clinics and employing more ethical standards. Along with this we run 2-3 free cat clinics per year with an ongoing TNR (Trap-Neuter-Release) strategy to ensure a high standard of welfare for island cats.<br>Also working in the marine environment to restore damaged and degraded coral reefs and to replenish natural fish populations whilst creating a safe environment for tourists and divers to interact with the natural environment without destructive consequences. <br>Working in collaboration with the marine authorities to report illegal ocean disturbances, funding their patrols and educating the local community regarding fishing and anchoring regulations.<br>To ensure that all waste created on Gili T is reduced to minimum levels through education, awareness, consultation, collection, recycling, and transportation. We strive to teach and ensure that waste is managed and separated properly for recycling projects where materials can be transported off the island.<br>To ensure the livelihoods of the local community is enhanced.
+
+
+
+ https://staging.giveth.io/project/Elephants-for-Africa
+ Elephants for Africa
+ The advancement of education and research for the benefit of the public in the conservation and protection and monitoring of elephant in particular but not exclusively by monitoring the demographics, ecology, behaviour, diseases and movement of African elephants and through the meaningful partnership with local communities living alongside wildlife.
+
+
+
+ https://staging.giveth.io/project/Rush-to-Crush-Cancer
+ Rush to Crush Cancer
+ Rush to Crush Cancer strives to engage our community through a cycling event, ultimately spreading awareness, promoting cancer prevention, and raising vital funds to help UPMC Hillman Cancer Center achieve the extraordinary – life without cancer. Since this is our first year, we are leaning towards our current donor data from UPMC Hillman Cancer Center
+
+
+
+ https://staging.giveth.io/project/The-Tisch-Family-Zoological-Gardens-the-Biblical-Zoo-in-Jerusalem
+ The Tisch Family Zoological Gardens, the Biblical Zoo in Jerusalem
+ To preserve rare animals and species threatened with extinction. Prominently featured in the collection are animals from the Land of Israel, with special emphasis on those species mentioned in the Bible. <br><br> To develop and conduct educational activities and outreach programs that will cultivate and nurture the values of nature conservation and wildlife protection among the general public; to enhance public awareness of environmental issues and encourage a love of animals. <br><br> To create a rich and diversified recreational atmosphere in beautiful surroundings, which subtly promote an appreciation of nature and of the environment. <br><br> To conduct research that involves the preservation, breeding, and return to the wild of various species; to participate in national and international research activities and projects in these fields; and to conduct both theoretical and practical research work in the fields of zoology, biology, and environmental science. <br><br> To encourage community participation, and conduct the types of educational and cultural activities that are geared towards Jerusalems unique and diverse population, and are accessible to all communities.<br><br> To develop distinct programs and create opportunities for groups with special needs, so that they can be involved in animal care, grounds-keeping, and other useful activities throughout the zoo grounds. <br><br> To make the zoo a unique and attractive tourist site, whose uniqueness derives partly from its collection of Biblical animals.
+
+
+
+ https://staging.giveth.io/project/Nabu
+ Nabu
+ NABU<br>Active for people and nature<br><br>NABU has been committed to people and nature since 1899. With over 750,000 members and sponsors, it is the largest environmental association in Germany. <br>NABUs most important tasks include the preservation of habitat and species diversity, the sustainability of agriculture, forestry and water management and, last but not least, climate protection. The communication of nature experiences and the promotion of natural history knowledge are among the central NABU concerns.<br>In the approximately 2,000 NABU groups and 70 information centres throughout Germany, practical nature conservation is on the agenda, as are lobbying, environmental education, research and public relations work.
+
+
+
+ https://staging.giveth.io/project/Clearway-Clinic
+ Clearway Clinic
+ We rescue men, women and unborn children from abortion and abortion trauma.
+
+
+
+ https://staging.giveth.io/project/PHALABORWA-NATURAL-HERITAGE-FOUNDATION
+ PHALABORWA NATURAL HERITAGE FOUNDATION
+ To assist formally protected and non-protected areas, nature reserves, game farms, conservation organizations in operations and projects in conservation, anti-poaching, environmental education and community outreach in communities located next to areas of operation. To promote the conservation of our natural heritage in our area of operation as well as the entire Southern Africa so that it can be protected and conserved over the long term, for future generations, by means of:<br> Rescuing and removal of snares from wild animals.<br> Conducting snare removal patrols in nature reserves and other properties.<br> Conduct anti-poaching operations in nature reserves and other properties.<br> To assist nature conservation departments, programs, projects and wildlife veterinarians in operations to save wildlife affected by human activities and to assist in research projects.<br> Litter clean up and recycling operations and projects.<br> Community outreach, upliftment and empowerment through engaging with communities neighboring reserves and protected areas.<br> Any conservation related projects or operations.
+
+
+
+ https://staging.giveth.io/project/92nd-Street-Y
+ 92nd Street Y
+ For 147 years, 92nd Street Y has been serving its communities and the larger world by bringing people together and providing exceptional, groundbreaking programs in the performing and visual arts literature and culture adult and children’s education talks on a huge range of topics health and fitness and Jewish life.
+
+
+
+ https://staging.giveth.io/project/Rajasthan-Samgrah-Kalyan-Sansthan
+ Rajasthan Samgrah Kalyan Sansthan
+ Vision: Attainment of Healthy, Educate & Self Reliant Community Through A Process of a nurturing, Sustainable Livelihood, Solidarity & Peace. Mission: RSKS India Help Alleviate Illiteracy, Poverty, Violence Against Women, Social Evils By Facilitating Empowerment of Womens & Girls From Deprived and Marginalised Communities. Goal: Rajasthan Samgrah Kalyan Sansthans main objective is that 2 lakh women and girls of marginalized section may get graceful life, better livelihood, self-reliance, education and better health.
+
+
+
+ https://staging.giveth.io/project/Tiny-Toones
+ Tiny Toones
+ The mission of Tiny Toones Cambodia is to provide a safe, positive environment for atrisk youth to channel their energy and creativity into the arts and education, empowering them to build selfconfidence in their daily lives, aim for better employment possibilities, and feel supported pursuing their dreams.
+
+
+
+ https://staging.giveth.io/project/ChildAid-to-Eastern-Europe
+ ChildAid to Eastern Europe
+ ChildAid transforms the lives of vulnerable and disadvantaged babies, children and young people in Belarus, Moldova, Russia and Ukraine. In conjunction with local partners we provide direct services to those who are abandoned, abused, disabled, neglected or from the poorest of families. We provide free rehabilitative treatment, social and educational inclusion programmes, life and vocational skills training, foster parenting promotion & support network plus practical assistance.
+
+
+
+ https://staging.giveth.io/project/The-Other-Side-Foundation
+ The Other Side Foundation
+ Zambia has about 1 million orphans, this gives Zambia the highest per capita orphans rate in the world. One in every 4 household is a child headed home. About 65% of Zambians earn less than $1.25 per day.<br>The Other Side Foundation is committed in nurturing at grassroots level, Orphans & Vulnerable children through an integrated Values Based Education (Education in Human Values), Nutrition and Health care. We further empower the widows, grandmothers and single mothers of our students through evening adult education, skills training & microloans/seed funding.<br>The Other Side Foundation promotes gender equality and believes that every child needs to eat at least a meal/day, have access to basic healthcare and education.
+
+
+
+ https://staging.giveth.io/project/Corcovado-Foundation
+ Corcovado Foundation
+ Mission The Corcovado Foundation is a key player in the strengthening of the protected wild areas, the promotion of environmental education, sustainable tourism and community participation throughout the sustainable use of the natural resources in the South Pacific area of Costa Rica.
+
+
+
+ https://staging.giveth.io/project/VOICE-Trust
+ VOICE Trust
+ VOICE is committed to empowering and increasing awareness for economically, socially and educationally disadvantaged children; farmers, employed youth, disabled persons, and other underprivileged members of society.<br><br>Our projects range from immediate emergency and disaster relief efforts to undertakings that address some of Indias most deep-rooted issues.We protect and enhance the endangered, empower and educate the underprivileged, and inform and mobilize the compassionate.
+
+
+
+ https://staging.giveth.io/project/Broken-Shovels-Farm-and-Sanctuary-School
+ Broken Shovels Farm and Sanctuary School
+ Animal Rescue
+
+
+
+ https://staging.giveth.io/project/Arogya-Agam
+ Arogya Agam
+ Our vision is to help build a just society and our mission to secure rights, health and development for marginalized people.<br><br>We work with the most disadvantaged people, giving priority to women and children - people living with HIV, tuberculosis and leprosy; Dalits (literally broken people - the untouchables of India) and the most discriminated among them; Tribals (indigenous people), women in prostitution, transgendered people, sexual minorities (LGBT), children at risk and people with disability.<br><br>Our strategy is to mainstream gender, child rights, disability and the needs of the most disadvantaged people of the area. We provide direct services to fill gaps in existing facilities where necessary. But the main strategy is to encourage and support community volunteers and community based organizations to advocate for their rights and entitlements.<br><br>PROGRAMMES AT A GLANCE<br><br>HEALTH AND MEDICAL<br><br>HIV prevention and care - children, women and men at risk, sex workers, sexual minorities (LGBT)<br><br>Leprosy and tuberculosis - disability prevention, detection, treatment and referral<br> <br>Ward, out patient facilities and referral - HIV, leprosy, and TB<br><br>Village follow up, mainstreaming disability<br><br>CHILDREN<br><br>Promoting child rights and education through Tribal and Dalit childrens groups<br><br>Facilitating child focused community development through peoples groups<br><br>Supporting families with HIV positive children through positive womens networks<br><br>WOMENS DEVELOPMENT<br><br>Assisting local and district level womens federations of mainly Dalit women.<br><br>Preventing violence against women, sex selected abortion and early marriage.<br><br>Supporting economic development and credit mobilization for micro-enterprise.<br><br>COMMUNITY PARTICIPATION<br><br>Arogya Agams major strategy is to encourage and support community participation through community volunteers and peoples organizations. Currently we work with<br><br>Womens federations<br>HIV positive associations<br>HIV Positive Womens Networks<br>Childrens federations<br>Arunthathiyar (most marginalized Dalit) advisory group<br>Palliar tribal village committees<br>Transgendered people<br>Women in prostitution
+
+
+
+ https://staging.giveth.io/project/Cascades-Raptor-Center
+ Cascades Raptor Center
+ Through wildlife rehabilitation and public education, the Cascades Raptor Center fosters a connection between people and birds of prey. Our goal is to help the human part of the natural community learn to value, understand, and honor the role of wildlife in our shared world.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Projeter-Sans-Frontieres-Proyectar-Sin-Fronteras
+ Fundacion Projeter Sans Frontieres Proyectar Sin Fronteras
+ Contribute to the transformation of the agri-food system from conventional to agroecological in Bogota-Region
+
+
+
+ https://staging.giveth.io/project/Cathwel-Service
+ Cathwel Service
+ With the consistent faith that is "only the love of Jesus can make the life sturdier and stronger" and with the core value that is "we sincerely proffer service to the human being with spread of love, respect, concern as well as professionalism", Cathwel Service is devoted to protection and assistance to the children and women in need, helping them seek after bright and promising future from the existing dilemma and open other window for their new life.<br><br>Cathwel Service was founded by Father Francis J. ONeil in 1949, being a branch in Taiwan of the U.S. Catholic Relief Service. To import and distribute the goods aided by USA were its principal jobs at that moment. Due to changes of local society, Cathwel Service turned to the social welfare and service gradually. Meanwhile, Cathwel Service became an independent institution and set up the foundation in 1984.
+
+
+
+ https://staging.giveth.io/project/United-Way-Worldwide
+ United Way Worldwide
+ United Way improves lives by mobilizing the caring power of communities around the world to advance the common good.
+
+
+
+ https://staging.giveth.io/project/National-Kidney-Foundation-Inc
+ National Kidney Foundation, Inc
+ The National Kidney Foundation (NKF) is the largest, most comprehensive, and longstanding patient-centric organization dedicated to the awareness, prevention, and treatment of kidney disease in the U.S. For more information about NKF, visit www.kidney.org.
+
+
+
+ https://staging.giveth.io/project/Maryknoll-Sisters-of-St-Dominic-Inc
+ Maryknoll Sisters of St Dominic, Inc
+ The Maryknoll Sisters believe that we are all part of “One Earth Community”… that all of us—regardless of race, nationality, gender, background or personal identity—are all connected as a human family, with each other and with all creation. As Pope Francis has said, “God created the world and entrusted it to us as a gift. Now we have the responsibility to care for and protect it and all people, who are part of creation. Protecting human dignity is strongly linked to care for creation.”<br><br> Maryknoll Sisters give witness to God’s love and devote our lives in service overseas. As nurses, doctors, teachers, theologians, social workers, environmentalists and more, we serve the needs of the people – the poor, the ailing and the marginalized – where we are missioned. Our mission began in 1912, when we became the first group of Catholic Sisters in the United States founded for overseas mission.<br><br> Today we have approximately 306 Sisters serving in 18 places around the world.
+
+
+
+ https://staging.giveth.io/project/A-Brighter-Day
+ A Brighter Day
+ A Brighter Day unites stress and depression resources with teens and their parents with the goal of stopping teen suicide.
+
+
+
+ https://staging.giveth.io/project/Aish
+ Aish
+ Our mission is to inspire people to live more thoughtful, spiritual, and impactful lives through learning and sharing timeless Jewish wisdom.
+
+
+
+ https://staging.giveth.io/project/The-Doe-Fund-Inc
+ The Doe Fund, Inc
+ The Doe Fund helps break devastating cycles of addiction, poverty, homelessness, and<br>recidivism. By investing in human capital, we transform oppressive systems while providing direct service to those impacted by them.
+
+
+
+ https://staging.giveth.io/project/Space-For-Humanity
+ Space For Humanity
+ We are cultivating a movement to expand access to space for all of humanity.
+
+
+
+ https://staging.giveth.io/project/REAL-SCHOOL-EDUCATIONAL-CULTURAL-FOUNDATION
+ REAL SCHOOL EDUCATIONAL-CULTURAL FOUNDATION
+ The REAL SCHOOL is providing its graduates with knowledge (theoretical and practical) and skills (professional, personal and social) to succeed in high-tech innovative industry.<br><br>REAL SCHOOL is a four year collage level program that combines liberal arts in-class education and vocational off-site trainings in R&D organizations, resulting in a level of knowledge comparable to todays Bachelor level graduates of Armenian universities combined with practical skills and CV of a 1-year junior developer in modern IT/High-tech company. <br><br>The main difference from classical Bachelors program is targeting professional career in the industry, rather than academic career. However it doesnt mean that the applicants are low-level technicians. Modern high-tech industry requires everyday effort in self-education (lifelong learning) due to constantly changing technologies, innovation, new fields, spheres, opportunities. The modern life is not divided into "learn" and "work" segments anymore, but is combining the work & learning process till the last day of the professional career. <br><br>As a consequence, the classical approach to education (learn only) and to professional career (work only) is failing in XXI century. Our vision of XXI century high-tech organization is a combination of Research, Production and Education formats. An organization that lacks any one of these 3 components, will loose in competition to those who are doing their own innovation, that is close to their own production, and are educating their own staff by maintaining the internship logistics. <br><br>Our mission is to implement such program in partnership with IT organizations in neighborhood of each RealSchool site. It includes expansion to rural areas of developing countries, helping local industry to upgrade to meet the challenges of innovative high-tech economy. <br><br>We have started discussions with Ethiopian, Indian, Chinese, Japanese and US (California) organizations to apply the model in the less fortunate districts, where the schools and the culture in general is unable to meet the challenges of the new age. Such areas and schools can be found even in 50 mile distance from Silicon Valley, therefore this program is not limited to developing countries. <br><br>The liberal arts program is following classical approach to education of a "free citizen" of a republic, i.e. provide understanding of the structure of the world, universe, civilization, economy, which is sufficient for the person to discover their mission for their life or at least for the next 7-12 years, and to develop their skills and knowledge towards fulfillment of that mission. <br><br>The liberal arts program itself is built in a project-based approach. The projects used in this section of the curriculum are also real-life projects, i.e. they are not invented by professors for educational purposes but are chosen from the infrastructure projects and issues faced by the region/country/world. <br><br>Examples of such projects for I and II grade students include: <br><br>1) Forest recovery, in cooperation with the Armenian Forestry Committee. Green industry projects. Reuse of materials. Effective ovens development. Effective usage of forests/wood in the industry and household. Biodegradable materials development and use in the small scale high-end production. <br><br>2) Study of ancient Armenian literature, classical Armenian language, terminology, in cooperation with prominent researchers in the field. Creation of fonts, spell-checkers, translators for modern dialects (western/eastern) of Armenian and classical Armenian. Localization of the GNU SW (Firefox, Thunderbird, OpenOffice, Xfce4, Gimp, Inkscape, etc). <br><br>3) Study of ancient musical notation systems and body movement (dance) notation systems, development of SW for musical and ethnographic studies, in cooperation with researches from Armenian Conservatory, institute of Komitas and Armenian song and dance academy. <br><br>4) Study of environmental health control and monitoring, development of measurement kits for air, water, soil and ether (electromagnetic) pollution, performance of the measurements and publication/awareness promotion projects<br><br>5) Study of information management systems, information security challenges, development of national standards for information age, upgrade of national institutions, ministries to reduce paperwork and use modern IT solutions<br><br>6) Study of macroeconomic and microeconomic field, legislation. Development of promotion programs and lobbying for making legislation more friendly towards innovation, startup, family-business and small/medium enterprises.<br><br>7) Study of pedagogical and epistemological issues in high-tech post-modern reality, development of extracurricular and curricular studies for middle-school and high-school students. Support and further development of Armath curriculum, in cooperation with original authors of Armath curicula. Augmenting Armath with radio-frequency, electronics, mechatronics and biochemical kits.<br><br>In the fields of pedagogy and epistemology - the mission is to reconsider foundations of personal training, establishment, attachment and feeling of heartbeat of the civilization, world, universe for a modern human being. From our perspective the history of the epistemology and thought is split into segments of before XIV century (primarily descriptive science), followed by the birth of analytical methods and decomposition, until hitting the ground (subatom, genome, lexical elements) in the mid XX century, and starting the third phase - the age of synthetic science (syntetic materials, synthetic life forms, synthetic languages). At the same time this switch from analytical to synthetical coincided with demographic supernova burst: for ages the population on earth was < 1B, and in XX it jumped to 7B and continues growing. As in the case of supernova - and in general - any bifurcation point - it is hard to predict what will be the next state: the dwarf, black hole, or new star. It is easier to choose desired outcome and invest resources in achieving that outcome, rather than investing in analytical efforts to predict the outcome. <br><br>Fundamental reconsideration of human beings attitude towards self, towards their planet, their civilization and the universe is due to protect new generation from storm of information they are facing from their birth time, and give them instruments to categorize, prioritize and filter that information, in order to extract the core values, build goals and obtain attachment to life that was "given" in in the past to a person by the life style, and now has became a major problem for new generation, which has hard time finding challenges outside the virtual world of social networks and network games. Parents cannot solve this problem alone. The system needs to be built by the state to help them. Our goal is to provide B2G consulting and active participation in building the new formats and curricula for different age groups. Our consortium has created the Armath program under this mission, is building the Real School program, and has started building the Academic Research Hub for the academic (fundamental research) field as well. Among these, the RealSchool in mid-term has the highest impact on our future.
+
+
+
+ https://staging.giveth.io/project/Change-Now-Inc
+ Change Now Inc
+ Our Mission is simple: Help Others! <br> <br>Change Now is dedicated to our community at large to ensure that much needed tools, services, and resources are provided to those in need. <br> <br>Our goal is to help members of our community find viable and much needed resources to combat homelessness, unemployment, and any obstacles preventing them from contributing proactively and positively to their community. <br> <br>We will continue to support and uplift all residents who call the Lehigh Valley home, regardless of race, color, national origin, religion, sex, age, disability, genetic information, marital status, political affiliation, and any and all distinctions not mentioned above.
+
+
+
+ https://staging.giveth.io/project/Center-for-Contemplative-Research
+ Center for Contemplative Research
+ In order to catalyze a revolution in the mind sciences and nurture a renaissance in the world’s great contemplative traditions, the Center for Contemplative Research provides<br>• a conducive environment that fosters silence, stillness, solitude, and community,<br>• sustained training in rigorous methods of contemplative practice,<br>• the ideal conditions for expert meditators to make replicable discoveries about the nature and potentials of consciousness, and<br>• opportunities for collaborative research with scientists and philosophers.<br>In the spirit of radical empiricism, while challenging unquestioned assumptions, we seek to discover the deepest sources of mental health, well-being, and environmental flourishing, grounded in ancient principles of nonviolence and compassion. And to share that knowledge with our world.
+
+
+
+ https://staging.giveth.io/project/Amref-Health-Africa-Inc
+ Amref Health Africa, Inc
+ With headquarters in Nairobi, Kenya, Amref Health Africa is the largest Africa-based healthcare nonprofit, serving millions of people every year across 35 countries in sub-Saharan Africa. Amref Health Africa began on the continent as the Flying Doctors, bringing surgical services to remote communities using light aircraft. Our priorities have since expanded to strengthen health systems and train African health workers to respond to the continent’s most critical health challenges. Our approach is community-based and makes the people we reach partners, rather than just beneficiaries. Over 97% of our global staff are Africans, so that we are always tackling African challenges with African expertise.
+
+
+
+ https://staging.giveth.io/project/Orlando-Health-Foundation
+ Orlando Health Foundation
+ To improve the health and quality of life of the individuals and communities we serve.
+
+
+
+ https://staging.giveth.io/project/Calvert-Hall-College-of-Baltimore-City
+ Calvert Hall College of Baltimore City
+ Calvert Hall College, a Lasallian Catholic college preparatory school, prepares a diverse community of young men to achieve their full potential utilizing their unique talents. Through excellent academic and extracurricular programs led by innovative and dedicated educators, our students become confident men with the ethical foundation for service, independent thinking, and responsible leadership. Inspired by the faith and zeal of St. John Baptist de LaSalle, our students develop a respect for others as part of an inclusive, lifelong Calvert Hall brotherhood as Men of Intellect, Men of Faith and Men of Integrity.
+
+
+
+ https://staging.giveth.io/project/Roads-to-Rehab-Nepal
+ Roads to Rehab - Nepal
+ Many people living in remote regions of Nepal do not have access to primary healthcare, medical treatment or rehabilitation services. Medical care is not free in Nepal and poverty is widespread. <br><br>Many people travel from remote and regional Nepal to major cities like Kathmandu to access medical care and these people constitute most of MeROs patients. The remote regions they come from are severely lacking in funding and facilities. Most larger villages have a clinic staffed by a Health Assistant who has done two years of training and can dispense 35 different medications and do basic wound care and vaccinations, but their medical knowledge is poor. Traditional healing is practiced, often with devastating results. There are often no hospitals for anywhere up to a 2 - 3 day walk, or over the years, dirt roads have paved the way for lengthy rough journeys on a local bus. Hospitals may offer only rudimentary services - they often do not have operating theatres, anaesthetists, surgeons or anaesthetic machines, or staff who can use them. Investigative technology and ancillary services like pathology are often basic or non-existent. There are no other options other than travel to Kathmandu or even India (which is cheaper) in search of medical care or a cure for themselves or their loved ones.<br><br>Roads to Rehab Nepal works with Medical Rehabilitation Organisation (MeRO) in Kathmandu. Before January 2022, MeRO was known as Nepal Healthcare Equipment Development Foundation (NHEDF) however they changed their name to better reflect what they actually do today. We have registration with the Australian Charities and Not-for-profits Commission (ACNC). MeRO is registered with the Social Welfare Council in Kathmandu. Our respective registrations gives us accountability and transparency with our Governments, our donors and the general public.<br><br>Our mutual projects encompass many articles of the UN Declaration of Human Rights. We are non-discriminatory; support children, women and men of all ages, castes, religions and ethnic groups; we help alleviate poverty; improve access to health care and advance health; support people with disabilities and their families.<br><br>We have been operating since December 2016 and our mission is to support and work with MeRO. This Social Welfare Council registered non-profit organisation was set up prior to the 2015 earthquake by a biomedical engineer called Samrat, who recycled broken medical equipment for free and gave it back to the hospital or individual in good working order. <br><br>When the earthquake happened, NHEDF was inundated with patients in need of ongoing medical care who were discharged from hospital way too early to make room for more. Their small premises were soon relocated to a larger facility and they operated for 3 months using volunteer staff. Samrat thought the Shelter would only be around for a few months but patients just keep coming to this day. Now they know they are here to stay, especially after COVID!<br><br>Our mission, and theirs, is to provide access to healthcare and improve health outcomes for people who come from remote or regional areas of Nepal and cannot access medical care or rehabilitation services due to poverty. We fund and facilitate medical and surgical intervention, nursing care, physiotherapy and rehabilitation services. Their road to rehabilitation is often long and complex, but between us, we change the lives of people who have no one else to turn to and nowhere else to go.<br><br>Life in Nepal is tough and life for someone with a disability in Nepal is even tougher. People with a disability are generally not treated kindly or compassionately in Nepal. <br><br>When patients are referred to MeRO, they are in desperate circumstances and many are unable to return to their pre-injury employment because of their disability. Alternatively, they may not be able to work because they have spent weeks, or even months, caring for a hospitalised family member.<br><br>MeROs rents a building in Kathmandu called the Shelter, which accommodates up to 20 patients and their care-giver, usually a family member, as is customary in Nepal. Everything at the Shelter is completely free, thanks to the generosity of donors - accommodation, food, medical and surgical intervention, physiotherapy, rehabilitation services and around-the-clock nursing care. <br><br>The Shelter provides a safe haven in a family focussed environment for people who need their services. MeRO advocates for their patients and helps them navigate the complexities of the expensive, unjust, hospital system. <br><br>Roads to Rehab Nepal funds five things. Firstly, our nurse and physio sponsorship program pays the wages of 3 nurses and a physio who work at the Shelter. This enables around-the-clock nursing care as well as physiotherapy 6 days a week. Secondly, we cover the cost of medical and surgical intervention as required. Thirdly, we pay MeROs monthly pharmacy bill which covers medications, medical, nursing, physiotherapy and occupational therapy supplies for all patients at the Shelter, as well as rehabilitation aids and equipment. We fund opportunities for ongoing professional development of MeROs clinical staff. Finally, as of January 2022, we fund mandatory project monitoring and evaluation activities by the Social Welfare Council. We also mentor and assist MeROs Board Members with practices and policies that build safe spaces and good governance. We also provide friendship and support.<br><br>The amount of financial support we can give to MeRO is directly related to the number of donations we receive. Likewise, the number of patients MeRO can accept is dependent on their funding. To this day hospitals, community organisations, other not-for-profit organisations in Nepal and individuals, especially nursing and medical staff, continue to refer more patients to MeRO than they can accept.<br><br>MeRO has tremendous support both from the local community within Nepal and internationally. Patients are often referred to them, usually having incurred huge medical debts. Many of MeROs patients owe money to family, money lenders and/or their local community and are often homeless and sometimes suicidal. Some patients have spent as much as US$20,000 - $22,500 on medical bills which is almost beyond belief, given that Nepal lies somewhere between the 27th and 30th poorest countries in the world, with up to 25% of its population living below the poverty line.<br><br>Most of MeROs patients come from rural and remote regions and have often sold all or most of their land which has been in their family for generations in order to pay their medical bills. Other patients keep a small parcel and home is a shack or a tent. Many are homeless.<br><br>Some of MeROs patients are injured working overseas, usually in Malaysia or the Gulf, and are sent back to Nepal after initial treatment with no compensation. Also, there is no such thing as workers compensation in Nepal. All their savings from working overseas end up going on medical bills. The Government may provide a disability allowance if certain criteria are met, but this is approximately the equivalent of US $44 a month and many hurdles are put in the way which makes it difficult to even apply.<br><br>We also assist women with fistula who are referred to MeRO and usually live in desperate poverty. These women who have experienced catastrophic obstetric injury cannot seek medical attention because they are poor; because knowledge of fistula in Nepal is poor; their injury is often not recognised; they are marginalised, socially isolated, often living in stables or caves having been abandoned by their family and ostracised by their community. <br><br>When patients arrive at MeRO, they find the most suitable medical specialist and hospital in Kathmandu for investigations, appointments and surgery as required. Should surgery be necessary, they are transferred back to NHEDF as soon as they are well enough. Some patients stay only a couple of weeks; others months, and the occasional patient 1 - 3 years as individual roads to rehabilitation are often long. <br><br>MeROs patients have all sorts of diagnoses resulting from trauma/injury/illness. Diagnoses range from fractures, soft tissue injury, amputations, wounds, burns, burns contractures, head injuries, neurological conditions and obstetric fistula. Some of our patients may have bone cancer requiring an amputation, extensive rehabilitation and the fitting of unusual prostheses. Occasionally Samrat accepts a patient who is terminally ill who is simply kicked out of hospital because they cannot pay any more and would otherwise be simply left to die. Patients are either referred or simply picked up from hospital foyers where they are found begging for money to pay for their medical care or that of a loved one. <br><br>We welcome the support of the GlobalGiving community.
+
+
+
+ https://staging.giveth.io/project/Code-the-Dream
+ Code the Dream
+ Code the Dream creates opportunity that changes lives, builds technology that benefits our communities, and supports the diversity that drives a more just and innovative world.
+
+
+
+ https://staging.giveth.io/project/Action-on-Smoking-and-Health
+ Action on Smoking and Health
+ To advocate for innovative legal and policy measures to end the global tobacco epidemic.
+
+
+
+ https://staging.giveth.io/project/Family-Protection-Association
+ Family Protection Association
+ Contribute to achieving family safety through care, support and rehabilitation programs, awareness initiatives and effective partnerships
+
+
+
+ https://staging.giveth.io/project/Operation-Delta-Dog
+ Operation Delta Dog
+ Operation Delta Dog rescues homeless dogs from high kill shelters and trains them to be service dogs for veterans all at absolutely no cost for our veterans.. At Operation Delta Dog, we rescue homeless dogs from across the country and train them to be service dogs for veterans living with Post Traumatic Stress Disorder PTSD), Traumatic Brain Injury (TBI) or Military Sexual Trauma (MST). We provide the trained dog and our services at absolutely no cost to our veterans. The dogs get the home they need and the veterans get the help they deserve.
+
+
+
+ https://staging.giveth.io/project/PROTECHOS-INC
+ PROTECHOS INC
+ Our Mission: To provide roof reconstruction and related vocational training to residents of under-served communities throughout Puerto Rico.<br><br>PRoTechos is a 501(c)(3) and Puerto Rico 1101.01 non-profit founded with the dual mission of rebuilding damaged roofs in under-served communities throughout the island while providing residents with basic carpentry training, addressing both housing needs and the shortage of skilled construction workers in Puerto Rico. <br><br>Starting with the most urgent cases, PRoTECHOS rebuilds roofs with the help of volunteers, skilled carpenters and trainees, drawn from community residents who are willing and able to work in residential construction. We provide hands-on carpentry training in a "learn and earn" program where trainees receive a stipend based upon the number of hours of training completed. They are expected to teach others and continue building in their community once their own training has been completed.
+
+
+
+ https://staging.giveth.io/project/Red-por-los-Derechos-de-la-Ninez-y-la-Juventud-de-Puerto-Rico
+ Red por los Derechos de la Niñez y la Juventud de Puerto Rico
+ the Network for the Rights of Children and Youth of Puerto Rico (REDENIJ-PR), previously known under the name of Red Hostels, Institutions and Centers for minors of Puerto Rico (RAICEM-PR). REDENIJ-PR is a non-profit organization and coalition aimed at coordinating, unifying, representing the shelters, institutions and centers for child services in Puerto Rico. Our organization is focused on transforming the living conditions of children and families in contexts of violence in the country, we made this transformation viable through four programmatic strategies: safe and child services strategy, advocacy, training and technical assistance to service providers in the public or private sector alliances.
+
+
+
+ https://staging.giveth.io/project/PAI
+ PAI
+ PAI works to advance universal access to sexual and reproductive health and rights through advocacy, partnerships and funding of changemakers. We champion progressive policies and funding that expand access to care for women, young people and communities around the world. <br><br>Your generosity will help us be responsive to our more than 120 partners across 36 countries who are working to expand health and human rights in their communities. It will also support our advocacy in Washington, D.C., to ensure that U.S. funding and policies support comprehensive sexual and reproductive health care and rights around the world.
+
+
+
+ https://staging.giveth.io/project/Asociacion-de-Comunidades-Unidas-Tomando-Accion-Solidaria-Inc
+ Asociacion de Comunidades Unidas Tomando Accion Solidaria Inc
+ Offer in the communities tools to create a self-sustaining and self-sufficient system with the ability to lift the economy both personally and collectively. Through solidarity action, emphasizing the less fortunate and most vulnerable. Offering tools to forge teamwork, unity and citizen participation.
+
+
+
+ https://staging.giveth.io/project/Mentes-Puertorriquenas-en-Accion
+ Mentes Puertorriqueñas en Accion
+ To build a community of young change agentes who adopt Puerto Rico as their life project
+
+
+
+ https://staging.giveth.io/project/The-Beacon-House-Association-of-San-Pedro
+ The Beacon House Association of San Pedro
+ The mission of the Beacon House Association of San Pedro is to help men recover from the diseases of alcoholism or addiction to other drugs. The Association provides food, shelter, counseling, and the time to build a foundation in recovery and to return to family, home and community.
+
+
+
+ https://staging.giveth.io/project/Amnesty-International-of-the-USA-Inc
+ Amnesty International of the USA, Inc
+ Amnesty International is a global movement of millions of people demanding human rights for all people – no matter who they are or where they are. We are the world’s largest grassroots human rights organization.
+
+
+
+ https://staging.giveth.io/project/Tutapona
+ Tutapona
+ Over 80 million people around the world have been forcibly displaced. Tutapona is here to respond to the psychosocial needs of these individuals. Tutapona is a Christ-centered organization that facilitates emotional healing through mental health services for people impacted by war or conflict.
+
+
+
+ https://staging.giveth.io/project/Turks-Caicos-Reef-Fund-Inc
+ Turks Caicos Reef Fund, Inc
+ The Turks and Caicos Reef Fund (a 501c3 organization) was established to help preserve and protect the environment of the "Beautiful by Nature" Turks and Caicos Islands, an environment that draws so many visitors to these islands and is critical to our economic and physical survival.
+
+
+
+ https://staging.giveth.io/project/Lay-Up-Youth-Basketball
+ Lay-Up Youth Basketball
+ Empowering youth with the confidence and life skills to become community leaders of tomorrow.
+
+
+
+ https://staging.giveth.io/project/The-Liberation-Institute
+ The Liberation Institute
+ Our mission is to offer mental health and recovery services, and other associated programs, to the public regardless of an individual’s income.<br>We are dedicated to the support, study, and celebration of personal healing, growth, and freedom for all.
+
+
+
+ https://staging.giveth.io/project/Karam-Foundation
+ Karam Foundation
+ Karam Foundation is a nonprofit organization investing in the education and wellbeing of Syrian refugees in Turkey, Jordan, and the United States so they can build a better future for themselves and their communities. The Syrian conflict has resulted in the largest refugee and displacement crisis of our lifetime. Karam seeks to restore a sense of hope for Syrian mothers, fathers, and children, and we do so with authenticity, bravery, expertise, and generosity (or Karam, in Arabic). It is by giving everything to those who lost everything that we hope to guide 10,000 Syrians on their individual pathways to leadership, so that they can be proactive, hopeful, and give back to those around them, with extreme Karam.
+
+
+
+ https://staging.giveth.io/project/Hope-Village-Church
+ Hope Village Church
+ Our mission is to lead the people of Seattle to an encounter with Jesus that would: redeem their past, redefine their today, and reveal their tomorrow.
+
+
+
+ https://staging.giveth.io/project/Land-of-Hope
+ Land of Hope
+ We save innocent children, accused of witchcraft, from exclusion, torture and death. With care, protection and education for the children and by educating their surrounding communities, we lay the foundation for a future, where children grow up to be independent, active and social individuals who contribute to the development of their community.<br><br><br>INFORMATION CAMPAIGNS AS THE CATALYSTS OF DEVELOPMENT<br><br>During the last decade, accusations of witchcraft made against Nigerian children have risen alarmingly, especially in the state of Akwa Ibom, where Land of Hopes childrens centre is located. The cause of the rise in belief in witchcraft and black magic is a complex mixture of social, economic and religious factors. If we are to combat superstition, we have to tackle the root of the problem, and that lies in the impoverished villages in which Land of Hope runs its information campaigns. <br><br>Land of Hope works on the conviction that education is of massive importance to the ability of future generations to build a just society. We believe that education is the most effective weapon in the battle against superstition. <br><br>Thats why we invest a lot of time on Advocacy Work in Nigerian, which simply means the spread of information. Advocacy is generally about speaking up on behalf of others to the local and national authorities, to bring them to account and live up to their responsibilities to the poorest groups in society. Its also about helping those groups, so that they know and understand their rights, and can demand that they are fulfilled. Our information campaigns are designed to enhance the process of development and progress in Nigeria that is so necessary to combat superstition. <br><br><br>WHY CHILDREN ARE ACCUSED OF WITCHCRAFT<br><br>The residents of the poorest areas of Akwa Ibom feel abandoned and marginalised by the government, which does nothing to educate and develop their communities. Schooling for the children is irregular, and superstition is deeply ingrained in African culture, which gives sustenance to jungle law, superstition and ignorance. Families look for an explanation for their poverty, or sudden death, and fear of evil and the supernatural can be so strong that it displaces love for a child, which can quickly be made into a scapegoat. Finally, many of the revivalist churches use superstition for exorcism, which they earn a lot of money for. Local priests are therefore responsible for the majority of witchcraft accusations against children in the state. <br><br><br>INFORMATION ON CHILDRENS RIGHTS<br><br>When we visit such areas during our information campaigns, the first thing we seek to do is to create a platform for dialogue, in which we can talk about superstition, the importance of education and the rights of children. For example, few people here are aware that it is actually illegal to accuse a child of witchcraft, and can result in up to 15 years in prison. On the other hand, witchcraft accusations are not a problem the government concerns itself with, even though the Governor of Akwa Ibom made witchcraft accusation a criminal act with the introduction of the Child Rights Act in 2003. <br><br>There is therefore little help to be gained by pointing an accusing finger at the ignorant villagers, who have been left to their own devices for so long. They are uneducated, and are not even aware of their basic rights. Thats why it is important that we also listen to their frustrations, and support their efforts to gain the attention of the government, which is ultimately responsible for generating progress in the areas affected. <br><br><br>HOME VISITS<br><br>An important part of our information campaigns is what we call home visits, taking the children to visit their own immediate family. Naturally, they miss their parents, brothers and sisters, and we believe that our most important task is to help them retain close relationships with them. Many people find it hard to understand why it makes sense to take these children back to the village where they were cast out, tortured and left to fend for themselves. But its very rare that witchcraft accusations come directly from their own parents. When a child is accused of being a witch, the accusation usually comes from an uncle, grandparent, stepmother or -father, neighbours or a priest, who earns money from exorcisms. The children may see some of the people who drove them out, which can of course create insecurity, but our children are made of sterner stuff. We have found on many occasions that they have walked into their village with a spring in their step, confidence and a fierce look in their eye. <br><br>Its fantastic to see, and their families are delighted to see their children again. <br><br><br>INCREDIBLE TRANSFORMATION<br><br>The objective of home visits is therefore to change the perception of the villages of superstition by showing them the incredible transformation these children have been through - from being cast out, alone, accused of being witches, almost tortured to death, to being healthy, strong, good in school with self-confidence and dreams for their future. We can convince the entire village this way that the children are not witches, and that their accusers have been indoctrinated by either the local priest or other villagers. The children are slowly but surely accepted by the local population when they see their incredible transformation. The seeds are sown for acceptance and reintegration into the local community, and several of our children therefore hold their school holidays with their families. <br><br>The work is long-term, and requires that the children make regular home visits. Their families also often visit them at Land of Hope. Its also important that they take responsibility for the dreadful past the children have suffered, and work with us to enlighten their villages about the rights of children. <br><br>A family bond is very strong in the African society, and even though superstition can seem to break that bond, it is usually due to poverty and ignorance, which can only be fought by expanding their knowledge of the world, teaching them about superstition and the importance of education.
+
+
+
+ https://staging.giveth.io/project/The-Skid-Row-Housing-Trust
+ The Skid Row Housing Trust
+ The Skid Row Housing Trust (the Trust) provides permanent supportive housing so that people who have experienced homelessness, prolonged extreme poverty, poor health, disabilities, mental illness and/or addiction can lead safe, stable lives in wellness.. For over thirty years, the Trust has been LAs Permanent Supportive Housing agency of record, articulating the model for what works in housing and services for the most vulnerable.
+
+
+
+ https://staging.giveth.io/project/Barnardos
+ Barnardos
+ Barnardos supports children whose well-being is under threat, by working with them, their families and communities and by campaigning for the rights of children. Barnardos was established in 1962 and is Irelands leading independent childrens charity
+
+
+
+ https://staging.giveth.io/project/Church-of-the-Pines-Inc
+ Church of the Pines, Inc
+ We exist to lead people in a relationship with Christ that is full and vibrant in every season. #evergreenlife.
+
+
+
+ https://staging.giveth.io/project/Believers-Stewardship-Services-Inc
+ Believers Stewardship Services, Inc
+ Believers Stewardship Services exists to serve the Lord’s people as they support His work..
+
+
+
+ https://staging.giveth.io/project/People-for-the-Ethical-Treatment-of-Animals-(PETA)
+ People for the Ethical Treatment of Animals (PETA)
+ PETA opposes speciesism, a human-supremacist worldview, and focuses on the four areas in which the largest numbers of animals suffer the most intensely for the longest periods of time: in laboratories, the food industry, the clothing trade, and the entertainment business. We also work on a variety of other issues, including the cruel killing of rodents, birds, and other animals who are often considered “pests” and cruelty to domesticated animals.
+
+
+
+ https://staging.giveth.io/project/Conservation-Earth-Wildmind
+ Conservation Earth Wildmind
+ Mission - We provide lifelong, quality care for un-releasable wild animals and work with them to be teachers of innovative programs that engage, enrich, inspire and empower young and old alike to become conservation stewards and leaders<br><br>Vision - Ensure a healthy and diverse planet by connecting people to the natural world and strengthening their respect for all living things
+
+
+
+ https://staging.giveth.io/project/Second-Harvest-Heartland
+ Second Harvest Heartland
+ Second Harvest Heartland believes no one should ever go hungry, as our region produces more than enough food for everyone. Helping hungry neighbors find their next meal—so they can thrive at work, in the classroom and in their communities—is what drives Second Harvest Heartland, its partners and supporters. Beyond feeding hungry neighbors, Second Harvest Heartland believes in the importance of our work to help sustain our environment.
+
+
+
+ https://staging.giveth.io/project/Public-Policy-and-Education-Fund-of-New-York
+ Public Policy and Education Fund of New York
+ PPEF has a long history of policy victories with tremendous impact on the most vulnerable populations in New York State. Dating back to 1983, when our sister organization, Citizen Action of New York, stopped utility price hikes that would have serious impact on Black, Brown and low income communities, our organization has catapulted as the primary organization with the strength to combat the exploitation and lack of access for services in our communities. Unlike many grassroots community organizations based in NYC, our work stretches across the geographic diversity of NY. Each year, PPEF’s grassroots outreach, public education, research reports and coalition building efforts in NYS and our regions play a significant role in major programmatic victories that promote economic and racial justice with equitable outcomes and a partner with citizen action.
+
+
+
+ https://staging.giveth.io/project/Elizabeth-Glaser-Pediatric-AIDS-Foundation
+ Elizabeth Glaser Pediatric AIDS Foundation
+ The Elizabeth Glaser Pediatric AIDS Foundation (EGPAF) is a proven leader in the fight for an AIDS-free generation and an advocate for children, youth, and families to live long, healthy lives. Founded over 30 years ago through a mother’s determination, EGPAF is committed to a comprehensive response to the global fight to end HIV and AIDS through research, global advocacy, strengthening of local health care systems, and growing the capacity of governments and communities in the world’s most affected regions to respond to urgent needs.
+
+
+
+ https://staging.giveth.io/project/Broadway-CaresEquity-Fights-AIDS
+ Broadway CaresEquity Fights AIDS
+ Broadway Cares/Equity Fights AIDS is the philanthropic heart of Broadway, helping people across the country and across the street receive lifesaving medications, health care, nutritious meals, counseling and emergency financial assistance.
+
+
+
+ https://staging.giveth.io/project/Organisation-for-the-Professional-Empowerment-of-Women-Women-On-Top
+ Organisation for the Professional Empowerment of Women, Women On Top
+ Women On Top is the most experienced NGO in Greece for the professional empowerment of women & for equality in the public sphere. Our vision is a world in which all women have equal opportunities to become what they can and what they want to be. Our mission is to eliminate the barriers that hinder womens equal participation in the workforce, both by empowering them as individuals and by creating gradual change in the social and professional ecosystem that surrounds them.
+
+
+
+ https://staging.giveth.io/project/Les-Oublies
+ Les Oublies
+ Use digital technology to help young people meet the crucial need for digital literacy skills to increase their prospects of employment in Guinea.
+
+
+
+ https://staging.giveth.io/project/Smile-Train-Inc
+ Smile Train, Inc
+ Smile Train is the world’s largest cleft-focused organization, with a sustainable and local model of supporting surgery and other forms of essential care. Since 1999, we have supported safe and quality cleft care for 1.5+ million children and will continue to do so until every child in need with a cleft has access to the care they deserve. Smile Train supports local medical professionals and local hospitals -- it’s how we build up healthcare infrastructure around the world while providing care 365 days a year.<br><br>Beyond surgery, our local partners also provide speech therapy, psychological support, nutritional services, orthodontics, and other essential forms of care to ensure that children with clefts have everything they need to not just live, but thrive.. Smile Train is proud to have dedicated individual supporters around the world, and also partners with businesses in various industries who share our commitment to building sustainable healthcare systems the world over.
+
+
+
+ https://staging.giveth.io/project/Tahanan-Sta-Luisa-Inc
+ Tahanan Sta Luisa, Inc
+ Tahanan Sta. Luisa (TSL) is a crisis intervention and recovery center whose mission is to provide rehabilitation for physically/sexually abused and prostituted street girls, between the ages of 11-15 years old upon admission.<br><br>Tahanan is a non-government organization (NGO) and one of only three residential centers within Metro Manila which focuses specifically on the admission of pre-adolescent/adolescent street girls - one of the most vulnerable and marginalized demographic groups in the Philippines. Tahanan provides residential care for street girls for these formative years, assisting the girls in their journey through their social, physical and emotional development and growth, while also supporting them to overcome the traumatic negative experiences of their past. <br><br>Tahanan Sta. Luisa can accommodate up to 23 girls at a time and since it was founded in 1997, it has supported 560 street girls. <br><br>The ultimate goal for Tahanan is to support the girls in their healing and recovery, and prepare them to be productive and independent members of society in the future.
+
+
+
+ https://staging.giveth.io/project/FARE-Food-Allergy-Research-Education
+ FARE - Food Allergy Research Education
+ FARE’s mission is to improve the quality of life and the health of individuals with food allergies, and to provide them hope through the promise of new treatments.
+
+
+
+ https://staging.giveth.io/project/Animal-Protection-Society-of-Durham
+ Animal Protection Society of Durham
+ Animal Protection Society of Durham is a leader in building lifelong bonds between people and animals through education, community outreach and providing care for animals in need.
+
+Our Vision is there are no displaced or unwanted pets; all animals are treated with compassion and respect; and community services are available to all pet owners.
+
+
+
+ https://staging.giveth.io/project/Restore-Children-Family-Services
+ Restore Children Family Services
+ We exist to be a channel of hope and radical restoration to transform the mind, heart and spirit through advocacy, partnerships and high-quality services for those (ages 2 to 21) suffering from trauma caused by human trafficking, sexual assault, violence, and all forms of abuse.
+
+
+
+ https://staging.giveth.io/project/Options-for-Community-Living
+ Options for Community Living
+ Options for Community Living, Inc. is committed to assisting individuals and families in need to develop their fullest potential for independent living. Services prepare participants for the demands and responsibilities of community life and promote housing permanency, health, safety, and welfare. The organization’s actions are guided by principles of integrity, openness, accountability, respect for the individual, and the highest quality of care.
+
+
+
+ https://staging.giveth.io/project/USA-for-UNHCR
+ USA for UNHCR
+ USA for UNHCR protects refugees and empowers them with hope and opportunity. We are with refugees form their greatest time of need - from emergency or crisis and beyond through the months and likely years that many are displaced form their home countries. We give refugees the hope they deserve, restore their dignity and help them rebuild their lives.
+
+
+
+ https://staging.giveth.io/project/Adalah-The-Legal-Center-for-Arab-Minority-Rights-in-Israel
+ Adalah - The Legal Center for Arab Minority Rights in Israel
+ Adalah ("Justice" in Arabic) is an independent human rights organization and legal center. Established in November 1996, it works to promote and defend the rights of Palestinian Arab citizens of Israel, 1.2 million people, or 20% of the population, as well as Palestinians living in the Occupied Palestinian Territory (OPT).
+
+
+
+ https://staging.giveth.io/project/NPower
+ NPower
+ NPower creates pathways to economic prosperity by launching digital careers for military veterans and young adults from underserved communities.
+
+
+
+ https://staging.giveth.io/project/Community-of-Unity-Inc
+ Community of Unity, Inc
+ Community of Unity CONNECTS with youth, EMPOWERS them to make choices that lead to growth, and INSPIRES their pursuit of a personally satisfying future. We cultivate transformative relationships with young people living in adverse circumstances and provide the consistent social-emotional support they need in order to successfully transition from adolescence to early adulthood.<br><br>Through our programs, young people strengthen their social-emotional skills, enabling them to face challenges and maintain the meaningful and supportive social relationships vital to a productive adult life.<br><br>Participants design their future to include benchmark achievements: high school graduation, successful completion of college or other post-secondary training, employment stability, and meaningful social engagement with their community.
+
+
+
+ https://staging.giveth.io/project/The-Jewish-Home-Foundation
+ The Jewish Home Foundation
+ The Jewish Home Family’s mission is to make aging a vital and meaningful experience through understanding and meeting the unique needs of each individual, providing care and services rooted in our tradition of Jewish values.<br>We lead the way in quality and innovative care, service and guidance for older adults and their loved ones with senior services including a nursing home, assisted living, subacute rehabilitation therapies and at-home and community services in Rockleigh and River Vale, New Jersey serving Bergen and Rockland Counties.
+
+
+
+ https://staging.giveth.io/project/Lincoln-Center-for-the-Performing-Arts-Inc
+ Lincoln Center for the Performing Arts, Inc
+ Lincoln Center for the Performing Arts serves three primary roles: to be the world’s leading performing arts presenter; to serve as an international leader in arts and education and community relations; and to extend the range of performing arts presented at Lincoln Center, complementing the extraordinary offerings of the ten other Lincoln Center Resident Organizations, all of which are flagship institutions in the world of the arts.
+
+
+
+ https://staging.giveth.io/project/Pathfinders-for-Autism
+ Pathfinders for Autism
+ Pathfinders for Autism works to support and improve the lives of individuals affected by autism through expansive, customized programming, and by providing resources, training, information and activities free of charge.
+
+
+
+ https://staging.giveth.io/project/Women-for-Women-International
+ Women for Women International
+ In countries affected by conflict and war, Women for Women International supports the most marginalized women to earn and save money, improve health and well-being, influence decisions in their home and community, and connect to networks for support. By utilizing skills, knowledge, and resources, she is able to create sustainable change for herself, her family, and community.
+
+
+
+ https://staging.giveth.io/project/Disability-Rights-Fund
+ Disability Rights Fund
+ To support persons with disabilities around the world to build diverse movements, ensure inclusive development agendas, and achieve equal rights and opportunity for all.
+
+
+
+ https://staging.giveth.io/project/Blockchain-Education-Network
+ Blockchain Education Network
+ We exist to provide borderless<br>education in blockchain technology,<br>making it accessible to anyone e<br>and everyone while building a<br>global transparent community.
+
+
+
+ https://staging.giveth.io/project/Rape-Abuse-and-Incest-National-Network-(RAINN)
+ Rape, Abuse and Incest National Network (RAINN)
+ RAINN (Rape, Abuse & Incest National Network) is the nations largest anti-sexual violence organization. RAINN created and operates the National Sexual Assault Hotline (800.656.HOPE, online.rainn.org y rainn.org/es) in partnership with more than 1,000 local sexual assault service providers across the country and operates the DoD Safe Helpline for the Department of Defense. RAINN also carries out programs to prevent sexual violence, help survivors, and ensure that perpetrators are brought to justice.
+
+
+
+ https://staging.giveth.io/project/Catholic-Relief-Services
+ Catholic Relief Services
+ Catholic Relief Services carries out the commitment of the Bishops of the United States to assist the poor and vulnerable overseas. We are motivated by the Gospel of Jesus Christ to cherish, preserve and uphold the sacredness and dignity of all human life, foster charity and justice, and embody Catholic social and moral teaching as we act to:<br><br>PROMOTE HUMAN DEVELOPMENT by responding to major emergencies, fighting disease and poverty, and nurturing peaceful and just societies and, SERVE CATHOLICS IN THE UNITED STATES as they live their faith in solidarity with their brothers and sisters around the world.<br><br>As part of the universal mission of the Catholic Church, we work with local, national and international Catholic institutions and structures, as well as other organizations, to assist people on the basis of need, not creed, race or nationality.
+
+
+
+ https://staging.giveth.io/project/FUSAL
+ FUSAL
+ FUSAL is a local non-profit founded in 1986 to catalyze private sector solidarity. Since then, FUSAL has worked on transforming the lives of thousands of Salvadoran families to break the cycle of poverty through the implementation of social programs focused on health, education and community building that progress in harmony.<br>The objective of FUSAL is to contribute to overcoming poverty in El Salvador through its different solutions:<br> Early Childhood: Help vulnerable communities overcome infant malnutrition and improving early stimulation care<br> Educational Quality: Improving the educational quality of public schools<br> Humanitarian Aid: Improving national response capacity in the public health system, emergencies and humanitarian crises.<br> Local Development: Managing comprehensive programs and interventions for local development<br>FUSAL has distributed more than $ 850 million through its Humanitarian Aid Program; notably reduce child malnutrition and anemia in rural areas; and facilitate opportunities through education and local development strategies for vulnerable families.<br>Currently, FUSAL has presence in 14 departments serving +67,000 vulnerable Salvadorans of which 27 thousand are children and youth (41%) through all programs.
+
+
+
+ https://staging.giveth.io/project/Fund-Texas-Choice
+ Fund Texas Choice
+ Fund Texas Choice helps Texans equitably access abortion through safe, confidential, and comprehensive travel services and practical support.
+
+
+
+ https://staging.giveth.io/project/Adf-Foundation
+ Adf Foundation
+ The mission of ADF Foundation is to facilitate legacy gifts and complex tax-advantaged gifts as well as build and manage an endowment for the support of Alliance Defending Freedom (ADF), to provide greater financial security and flexibility for ADF to maintain its operations and respond to opportunities defend vital constitutional liberties.
+
+
+
+ https://staging.giveth.io/project/XPRIZE-Foundation-Inc
+ XPRIZE Foundation Inc
+ XPRIZE is a global future-positive movement of over 1M people and rising. By delivering truly radical breakthroughs for the benefit of humanity, XPRIZE solves some of the world’s greatest challenges. Every one of us has the power to make a difference, whether it’s lending a hand, a dollar, or an idea, you can join XPRIZE to help create a better future for everyone, everywhere. Visit xprize.org to learn more.
+
+
+
+ https://staging.giveth.io/project/Kennedy-Childrens-Center
+ Kennedy Childrens Center
+ Our mission is to provide high quality education services to young children with developmental delays, in partnership with families and communities. Our child-centered, evidence-based instruction prepares each student to enter the New York City public school system in the least restrictive environment possible. <br><br>We support families with training, guidance, and advocacy, and strengthen our school community through professional development and collaborations with local human service organizations. KCC is also committed to empowering a new generation of early childhood educators through our Grow Your Own Teacher Assistant and Teacher Training Program (GYO).
+
+
+
+ https://staging.giveth.io/project/Mountains-of-hope-childrens-ministries
+ Mountains of hope childrens ministries
+ Mission statement: Empowering communities who work to ensure that children growing up in poverty get good health and an excellent education. <br><br>Founding principles: We efficiently respond to the urgent needs of orphans and vulnerable children and the communities they live in. We believe that education is one of the fundamentals of success. By paying for students school fees and providing scholastic materials (ie. school uniforms), we increase the opportunity for educational achievement.
+
+
+
+ https://staging.giveth.io/project/Blind-Peoples-Association-(India)
+ Blind Peoples Association (India)
+ Promoting comprehensive rehabilitation of persons with all categories of disabilities through education, training, employment, community based rehabilitation, integrated education, research, publications, human resource development and other innovative means.
+
+
+
+ https://staging.giveth.io/project/Kranti
+ Kranti
+ Kranti empowers girls from Mumbais red-light areas to become agents of social change.
+
+
+
+ https://staging.giveth.io/project/PHASE-Nepal
+ PHASE Nepal
+ To improve the living standards of people living in remote Himalayan communities, by providing immediate support and empowering them. Through integrated programmes in the areas of health, education and livelihoods, PHASE aims to support the most vulnerable (women, children, low castes, the very poor and people with disabilities) to break the cycle of poverty, by assisting communities and local authorities to lay the groundwork for a self-sufficient future.
+
+
+
+ https://staging.giveth.io/project/Karama-Organisation-for-Women-and-Childrens-Development
+ Karama Organisation for Women and Childrens Development
+ Karama (Arabic for Dignity) strives to empower Palestinian women, children and adolescents and develop the local community by providing a safe haven for learning, cultural awareness and recreation away from the violent streets.
+
+
+
+ https://staging.giveth.io/project/Malaika-Childrens-Friends-onlus
+ Malaika Childrens Friends onlus
+ Creating all over the world, but with particular reference to Tanzania, child care institutions that provide a secure and stable environment for children whose families cannot care for them or whose parents have died, or for children who have been abandoned, creating for them an atmosphere similar to a family, with constant attention and providing for their sustenance, for medical care and education. <br>If possible, reintroducing the children in the extended family but continuing to help with school fees or healthcare when needed.<br>The child care institution sustained and directly managed by Malaika Children Friends (MCF -www.malaika-childrenfriends.org) ) is at the moment exclusively Malaika Children Home (MCH - www.malaikachildren.org). <br>BEING MCF NOW EXCLUSIVELY AT THE SERVICE OF MCH, WE PROVIDE FOR A BETTER UNDERSTANDING OF THE ACIVITIES: FUNDING DOCUMENTS OF BOTH ORGANIZATIONS; FINANCIAL STATEMENTS OF BOTH ORGANIZATIONS; CURRENT OPERATING BUDGETS OF MCH.
+
+
+
+ https://staging.giveth.io/project/Thabang-Childrens-Home-Trust
+ Thabang Childrens Home Trust
+ To provide centres for the reception, care and development for orphans, vulnerable children and youth; To empower the children in our care by providing educational opportunities and skills development. To empower family structures through developmental and therapeutic services, advocacy to families and communities, through partnership with other stake holders.
+
+
+
+ https://staging.giveth.io/project/Protectores-de-Cuencas-Inc
+ Protectores de Cuencas Inc
+ Protectores de Cuencas, Inc. (PDC) is a science and community based nonprofit organization founded with the mission to protect, monitor, and implement best conservation practices for the rehabilitation of natural resources in the Commonwealth of Puerto Rico (PR) (a tropical group of islands located in the Caribbean). PDC uses watersheds as the geographical management area to identify sources of pollution affecting natural ecosystems and communities. Communities are engaged throughout outreach education and participation in all aspects of our projects. PDC has extensive experience implementing conservation practices to help farmers and forest landowners to implement sustainable and profitable ways to use their land. PDC has a broad base of community support across PR, including the municipality islands of Culebra and Vieques. PDC counts with the support of local and federal governmental agencies that are committed in the sustainable management of our natural resources and wildlife conservation. <br><br>Since 2015, PDC has a cooperative agreement with the Puerto Rico Department of Natural and Environmental Resources for the co-management of the Guanica State Forest (GSF). The GSF has several national an international recognitions for its valuable an unique ecosystems and biodiversity. One of the main recognitions is the designation of the GSF as a United Nations Educational, Scientific and Cultural Organization (UNESCO) International Biosphere Reserve. The GSF directly satisfies the recreational needs of local communities that include the five near-by municipalities (Guanica, Lajas, Yauco, Guayanilla and Ponce) with a total population of over 300,000 people. Also, it is estimated that the GSF receives over 625,000 people a year looking for outdoor recreation activities more likely related to the coastal areas to enjoy the sandy beaches and for recreation activities such as snorkeling, surfing, boat rides and related aquatic recreation activities. PDC has the mission and responsibility of providing long-lasting sustainable outdoor recreational activities for the benefit of both visitors and wildlife.
+
+
+
+ https://staging.giveth.io/project/Salaam-Baalak-Trust
+ Salaam Baalak Trust
+ SBT aims to provide a sensitive and caring environment to street & working children and<br>other children on the margins of society. It seeks to dissolve the barriers that rob children<br>of the opportunity to realize their rights.
+
+
+
+ https://staging.giveth.io/project/Classically-Connected-Inc
+ Classically Connected, Inc
+ Inspiring a Global Community with Classical Music.
+
+
+
+ https://staging.giveth.io/project/Drylands-Natural-Resources-Centre
+ Drylands Natural Resources Centre
+ Our mission is to combat soil degradation and poverty in Kenyas drylands by enabling farmers to invest in reforestation using drought-resistant indigenous tree species.
+
+
+
+ https://staging.giveth.io/project/Child-Rights-and-You
+ Child Rights and You
+ To enable people to take responsibility for the situation of the deprived Indian child and so motivate them to seek resolution through individual and collective action thereby enabling children to realise their full potential. And people to discover their potential for action and change. To enable peoples collectives and movements encompassing diverse segments, to pledge their particular strengths, working in partnership to secure, protect and honour the rights of Indias children.
+
+
+
+ https://staging.giveth.io/project/El-Shaddai-Charitable-Trust
+ El Shaddai Charitable Trust
+ El Shaddai as an organization exists to open Homes and Shelters for the abandoned Street Children and for children coming from economically poor or broken families providing them with the basic necessities of life, so developing their personalities leading to a brighter future. To establish support systems for the weaker sections viz. women & children of our society. To conduct awareness & educational programmes including medical camps among the slum dwellers.<br><br>"Bringing childhood to children who have never had it".
+
+
+
+ https://staging.giveth.io/project/MedAcross
+ MedAcross
+ MedAcross is a non-prot association, an Italian project conceived for:<br><br>-providing free medical care to people in developing countries, with a particular focus on children and teenagers<br><br>-training medical and paramedical staff on site in order to create independent health facilities and create jobs for the local population<br><br>-supporting humanitarian interventions, also by cooperating with local associations already at work on the context
+
+
+
+ https://staging.giveth.io/project/People-First-Educational-Charitable-Trust
+ People First Educational Charitable Trust
+ People First aims to work closely with oppressed and disadvantaged communities and vulnerable individuals in breaking the centuries - old cycle of ignorance and oppression by providing opportunities for education. The trust believes the best way to achieve long - term positive social change is through education and we work in the areas of greatest need where no other education is available to the poor and oppressed. <br><br>Our mission is the bringing of educational opportunity and to promote health and social rights to those to whom such opportunities have previously been denied due to poverty family circumstances or oppression.<br><br> The Trust aims to work with the most marginalized members of the community and help create a safer environment for all children , especially vulnerable children, and to provide support and encouragement to help improve their living and social conditions, through rights based and ethically sound education, empowerment programmes, vocational training, protection and care and financial independence initiatives in order to help them recognize their importance and value as a responsible individual within civil society.
+
+
+
+ https://staging.giveth.io/project/Open-Arms-NGO
+ Open Arms NGO
+ We are a non-profit non-governmental organisation with one principal mission: to protect those who try to reach Europe by sea, fleeing from armed conflict, persecution or poverty; and also to inform and educate on land so that those who migrate can make decisions with complete freedom and knowledge.<br><br>Our intention is to monitor and rescue vessels carrying people who need help in the Mediterranean channel, to protect the lives of the most vulnerable in emergency situations on land and to build alternatives to irregular migration in countries such as Senegal, providing people with resources through community awareness and information. In parallel, we continue to denounce all of the injustices that take place that nobody talks about.
+
+
+
+ https://staging.giveth.io/project/Sense-International-(India)
+ Sense International (India)
+ Sense International (India)s vision is of a world in which all deafblind children and adults can be full and active members of society.<br><br>Our purpose is to work in partnership with others - deafblind people, their families, carers and professionals - to ensure that everyone facing challenges because of deafblindness has access to advice, opportunities and support.<br><br>Our goal is that no deafblind person and their families will travel more than a day to receive the need based quality services in 35 states and Union Territories. <br><br><br>Our values guide all that we do:<br><br>The worth of individuals<br>We embrace diversity and respond to individual need.<br><br>Self-determination<br>We promote the rights of individuals and will provide support for this where necessary.<br><br>Personal fulfilment<br>We promote opportunities for all individuals to develop and achieve their potential.<br><br>Openness and honesty<br>Our interactions are transparent, open to scrutiny and built on trust and accountability.<br><br>Learning and improving<br>We continuously improve the quality of what we do by consulting and reflecting on our actions
+
+
+
+ https://staging.giveth.io/project/Sri-Sathya-Sai-Health-Education-Trust
+ Sri Sathya Sai Health Education Trust
+ 1. To endeavour to serve in greater measure the national burden of child ill health, Totally Free of Cost and to become institutions of Pediatric Cardiac Excellence for India and several developing countries<br>2.To develop skilled and compassionate medical, nursing and allied health care providers trained to collectively address the burden of congenital heart disease.<br>3. To advocate the Right to Healthy Childhood by bringing sharper focus in the area of child heart care, enabled by research and technology solutions that inform all stakeholders in the health care spectrum of preventive curative,educative care.
+
+
+
+ https://staging.giveth.io/project/Za-Dobroto
+ Za Dobroto
+ Za Dobroto is a nonprofit organization, founded in 2020. We completed 10 campaigns for the improvement of children healthcare in Bulgaria together with initiatives supporting the healthcare specialists during the fight with Covid-19 pandemic. <br>Our mission is to heal, to teach and to create a safe environment for kids patients.<br>Our vision is to be pioneers that focus on kids emotional condition throughout the healing process and to create a healing hospital environment for them.
+
+
+
+ https://staging.giveth.io/project/PAIN-RELIEF-AND-PALLIATIVE-CARE-SOCIETY
+ PAIN RELIEF AND PALLIATIVE CARE SOCIETY
+ To increase the availability and access to high quality palliative care and end of life care for people living with advanced illnesses like cancer and their families.
+
+
+
+ https://staging.giveth.io/project/Ponce-Neighborhood-Housing-Services-Inc
+ Ponce Neighborhood Housing Services, Inc
+ The general mission of Ponce NHS is to enrich the quality of life in Puerto Rico through housing and community development, also, financial and social education. During the past 25 years, the services have been aimed at promoting in individuals and families a healthy credit, budget management and the opportunity to acquire safety housing. Ponce NHS has a Community Development Department with services aimed at creating community boards, environment talks, home renovation, educational and projects that will be promoting economic initiatives for underserved and low-income communities.
+
+
+
+ https://staging.giveth.io/project/QMed-Knowledge-Foundation
+ QMed Knowledge Foundation
+ To enable health professionals, institutions, patients and health consumers working in the health care sector, to obtain the best evidence from systematic research, in order to ensure accurate delivery and availability of optimal health care services.
+
+
+
+ https://staging.giveth.io/project/SUKRUPA
+ SUKRUPA
+ Sukrupa is a registered (2004) non-profit charitable organization that addresses the socio-economic development of the disadvantaged in urban and rural Bangalore, India. The programs offered currently through Sukrupa include:<br><br> - Free Schooling, from Pre-school through Class 10<br> - Youth Training in life skills, distance learning, and college education<br> - Community and Rural Economic Development benefiting adults and families
+
+
+
+ https://staging.giveth.io/project/Hudson-Athens-Lighthouse-Preservation-Society
+ Hudson-Athens Lighthouse Preservation Society
+ Our mission is to continue to preserve the Hudson-Athens Lighthouse, which is a historical treasure and educate and enthuse new generations about the magical history of the Hudson River and its ports.
+
+
+
+ https://staging.giveth.io/project/Society-for-Science
+ Society for Science
+ Society for Science puts the power and wonder of science into everyone’s hands by promoting the understanding and appreciation of science and the vital role it plays in human advancement: to inform, educate, and inspire.<br><br>Through our programs we set the science journalism bar ever higher and inspire new generations of scientists and innovators around the world that will build the future.
+
+
+
+ https://staging.giveth.io/project/Binghamton-Philharmonic
+ Binghamton Philharmonic
+ The mission of the Binghamton Philharmonic Orchestra is "Building Community Through the Power of Live Music." <br><br>The Binghamton Philharmonic is the Southern Tier of New Yorks largest and longest-serving symphony orchestra. The Binghamton Philharmonic serves 10,000+ people annually through innovative, engaging, and affordable programming—connecting professional musicians with audiences to stimulate the economy and expand music’s possibilities for a broad listenership— both within and beyond the concert hall.
+
+
+
+ https://staging.giveth.io/project/United-States-of-America-Rugby-Football-Union-Ltd
+ United States of America Rugby Football Union, Ltd
+ UNITE an inclusive, passionate rugby community IGNITE sustainable development, and GROW opportunities nationwide.
+
+
+
+ https://staging.giveth.io/project/Every-Nation-Renew-Church-LA
+ Every Nation Renew Church LA
+ Renew Church LA is a vibrant, multi-ethnic, and inclusive community where everyone is welcomed. We’re entering a new season as a family and were excited to meet you and invite you into the community.
+
+
+
+ https://staging.giveth.io/project/American-Heart-Association
+ American Heart Association
+ The American Heart Association is a relentless force for a world of longer, healthier lives. Heart disease is the No. 1 killer worldwide, and stroke ranks second globally. Even when those conditions don’t result in death, they cause disability and diminish quality of life. We want to see a world free of cardiovascular diseases and stroke.
+
+
+
+ https://staging.giveth.io/project/Wine-to-Water
+ Wine to Water
+ Wine To Water supports life and dignity for all through the power of clean water.
+
+
+
+ https://staging.giveth.io/project/Association-for-Solidarity-with-Asylum-Seekers-and-Migrants
+ Association for Solidarity with Asylum Seekers and Migrants
+ The mission of ASAM is to develop solutions to challenges that refugees and asylum seekers encounter in Turkey and to support them in meeting their basic needs and rights.
+
+
+
+ https://staging.giveth.io/project/Until-We-Are-All-Free-Movement
+ Until We Are All Free Movement
+ Until We Are All Free is a human rights organization led by formerly incarcerated criminal justice experts. We focus on building capital, resources and support to provide pathways to civic and economic liberation for individuals disenfranchised by mass incarceration.
+
+
+
+ https://staging.giveth.io/project/The-Hidden-Genius-Project
+ The Hidden Genius Project
+ The Hidden Genius Project trains and mentors Black male youth in technology creation, entrepreneurship, and leadership skills to transform their lives and communities.
+
+
+
+ https://staging.giveth.io/project/Good360
+ Good360
+ As the global leader in product philanthropy and purposeful giving, Good360’s mission is to close the need gap by partnering with socially responsible companies to source highly needed goods and distribute them through our network of diverse nonprofits that support people in need.<br>Good360 is the link between organizations with so much to give and communities in critical need, closing that gap and opening opportunity for all.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-of-Idaho-Inc
+ Ronald McDonald House Charities of Idaho, Inc
+ Ronald McDonald House Charities of Idaho supports families of ill or injured children by keeping them together in times of medical need. At Ronald McDonald House Charities of Idaho, we are helping families face the burden of their child’s illness together. They have enough worries attending to the complicated medical needs of their child, maintaining their jobs, caring for other children or family members and keeping up with medical and out-of-pocket expenses – at RMHC of Idaho, we care for the family so they can focus on their sick child.
+
+
+
+ https://staging.giveth.io/project/Love-Yourself
+ Love Yourself
+ By empowering oneself, enriching relationships, and embracing innovations, we provide a safe space for communities and champion the iniingatan, inaalagaan, at inaasikaso experience.<br><br>A thought leader that inspires people to empower and affirm their self-worth to create ripples of positive change.<br><br>LoveYourself Inc. (LY), is a community of volunteers which has been successful in reaching out to the key affected population of HIV and AIDS. It was established in 2011 with a mission of embracing and nurturing ones self-worth to inspire others to do the same and create ripples of positive change in the community and a vision of becoming a model community, empowering and affirming the self-worth of youth and MSM in the Philippines.<br>LY has been the home of many innovative and new approaches to reach key populations such as Project Preppy (Pre-exposure Prophylaxis), LoveYourself Caravan/PBSR, Smart-Safe-Sexy Continuum of Care Approach Project (3S) and Introduction of the First Community Run Testing and Treatment Facility (4S) Project, #SafeSpaces Condom Promotion and Distribution Program Victoria by LoveYourself, the first Transgender Health and Wellness Community Center in the Philippines and most recently - introduction of HIV Self Screening (#SelfCare) in the Philippines to name a few. <br>LY has several innovations in the pipeline, such as expansion of #SelfCare, #ChampionCommunityCenters and other innovations especially with the challenges in the time of COVID19 pandemic like XPress Refill and iCon (telemedicine).<br><br> LY partnered with DOH-RITM in many innovative programs such as 3S (Smart Safe and Sexy) where the power of volunteerism is harnessed by creating "change agents" from the community reaching other members of the community through awareness and encouraging high risk clients to take ownership of their sexual health by regular testing every 3-6 months if negative and early treatment if positive.<br>LY has a long and fruitful partnership with Pilipinas Shell Foundation since 2012, it has has grown and developed with PSFI supporting LY through technical assistance, logistics, finances, and overall management of LoveYourself Community Centers. <br><br>LoveYourself Inc. is proud of its 10 LoveYourself Branded Community Centers, 2 Private Clinic and manages 30 Champion Community Centers safe space for young and working population who are engaging in risky behavior. <br><br><br>For the LY community centers, having a cumulative rate of 150-200 clients daily with 12-14% reactive rate, the centers contributes to 42% of all the newly diagnosed PLHIVs reported in Metro Manila and 20% in the whole country for since 2016 to present proving that LY has a strong understanding of the Philippine context with regard to HIV and AIDS and key populations (MSM, TG, YKP and PWID). These efforts demonstrate a tremendous impact in bridging the gaps in the HIV continuum of care, with the objective of scaling up HIV testing and linking the newly diagnosed PLHIVs to treatment and care, eventually leading to reduced incidence of loss to follow up. <br><br>Since its launching, LY Anglo as the main treatment centers and the rest of the 6 as satellite centers has already diagnosed over 40,000 clients yearly. Of the total number of newly diagnosed PLHIVs, 7,300 were enrolled to LoveYourself Anglo treatment while the remaining were referred to RITM or other treatment hubs for enrolment making LY the second highest PLHIV clients enrolled facility. LoveYourself Anglo is currently being positioned as the first ever community run one stop shop - having prevention-to-treatment services. It aims to create a social enterprise-self-sustaining model. <br><br>LY has gained momentum in its implementation of the Philippines Business Sector Response to HIV (PBSR) and School Caravan Programs with PSFI. To date, 650, companies have been engaged through advocacy, 250 companies have been assisted in the drafting of their HIV in the workplace policy, over 100,000 people reached through HIV 101, 84,945 people tested and got their results, 4,190 (6.34 %) reactive and those confirmed were linked to treatment hubs and social hygiene clinics for further work up in preparation for treatment. 90 employee-trainers trained for HIV 101- Peer Education Training, and 68 received Basic Voluntary Counseling and Testing training. PBSR is a member of 7 Local AIDS Councils in the Cities of Manila, Quezon, Caloocan, San Juan, Batangas and Puerto Princesa. On another note, with its goal to reach the Youth to promote awareness and reduce stigma and discrimination, Caravan program has reached over 110 schools and universities testing more than 10,000 young people in the last 4 years.<br><br>In the last quarter of 2014, the LY started work on community system strengthening through human rights and advocacy programs under the guidance of the ISEAN HIVOS, the regional partner of LY by engaging new blood through numerous fora and peer meetings and activities then providing capacity building, monitoring and tracking outreach workers and grooming them to develop their own program in their respective locality, bringing about the birth of the several community based organizations such as Project H4 in Puerto Princesa, who eventually opened a community center called Amos Tara and forged a long-term partnership with DOH IV-B MIMAROPA. <br><br>In the area of Advocacy, LY has created several efforts in making sure that their efforts to raise the bar in the HIV continuum of care such participation in the PNAC consultations on the revision of RA 8504 and approval of the new law RA11166, technical assistance with the development of SOGIE tool kit and Trans Health module.<br><br>LY continues to develop advocacy materials and communication strategies to address and respond to issues and needs of the times. Protect the Goal Campaign and #StayNegatHIVe Campaign with Rappler and Dentsu focusing on stigma and discrimination reduction that were launched recently received seven national and international awards for campaign effectiveness and impact such as the Boomerang and Anvil Awards. In 2016, the partnership also implemented several regional campaigns such as TestMNL with APCOM and very recently a project with UNAIDS and 2015 Miss Universe Pia Wurtzbach - the #Live2LUV campaign.<br><br>In 2018 LY is chosen as the sub recipient of the Philippine Global Fund ACER program where in LY is asked to develop and establish 15 community centers which is based on the LoveYourself community centers model. The community-based organization partners are provided support for their operational costs outreach and refurbishment of the community centers. Each community centers offer a sexual health prevention package including HIV testing and STI testing for free. Some of the community organizations have doctors and offer treatment at the same time while others are referring clients to Social Hygiene Clinics in their locality.<br><br>In 2018 also, LY in partnership with Australian Federation of AIDS Organisations (AFAO) implemented the Sustainability of Key Population Programs in Asia (SKPA). It has a goal of providing not just community system strengthening but also introducing advocacy, campaigns, innovations, and support towards sustainability of the services of CBO partners. LY creates national programs and campaigns on awareness and promotion of combination prevention, treatment as prevention and other innovations. A recent example is the National HIV Prevention month last July-August 2020 gathering almost 5 million impressions and reach online through the SKPA Philippines Grant. AIDS HealthCare Foundation Philippines (AHF) also partnered with LY this year to the present to augment in outreach, events and treatment of indigent PLHIVs.<br><br>In 2019, due to the very high incidence of anxiety disorders and depression among the young LGBT community. LY decided to create its own mental health program called Flourish by LoveYourself. Flourish aims to provide counseling and life coaching to people with mild depression and anxiety. Flourish offers life coaching and group counseling to our clients. In partnership with Mental Health Ph, a local CBO, LY also has created campaigns on mental health. Aside from the group counseling program, LY initiated self-help programs such as music therapy, art therapy, poetry reading and other forms of coping support for people in distress.<br><br>In 2020 LY was chosen as the sub recipient of the Philippine Global Fund PROTECTS with PIlipinas Shell Foundation as its PR. LY is asked to scale up its CHAMPION COMMUNITY CENTERS initiative by creating a total of 34 Champion Centers and CBO. The community-based organization partners are provided support for their operational costs outreach and refurbishment of the community centers. Each community center offers a sexual health prevention package including HIV testing and STI testing for free. Some of the community organizations have doctors and offer treatment at the same time while others are referring clients to Social Hygiene Clinics in their locality. LY has also led KP specific initiatives including the TG activations with Medical Professionals, School Administrations, etc.; for YKP, LY spearheaded a myriad of activities involving Sangguniang Kabataan (Youth Federation), Schools, and other youth lead CSOs; for PWIDs, several learning group sessions and consultations has also been done specifically in Cebu City. LY was also assigned to provide the Administrative and Human Resource including payroll of 380 field staff and community center officers hired for the project.<br><br>In 2021 LY was selected as a grantee of Meeting Targets and Maintaining Epidemic Control (EpiC) is a global project funded by the U.S. Presidents Emergency Plan for AIDS Relief (PEPFAR) and the U.S. Agency for International Development (USAID), which is dedicated to achieving and maintaining HIV epidemic control. LY community centers operations are supported by this grant.
+
+
+
+ https://staging.giveth.io/project/Volunteers-in-Education-Inc
+ Volunteers in Education Inc
+ Volunteers in Education (VinE) engages the community in the education of its students, supporting their growth and preparing them for productive citizenship. We are currently serving students in the North Woods, Northeast Range, South Ridge, Tower-Soudan, Eveleth-Gilbert, and Cherry schools.
+
+
+
+ https://staging.giveth.io/project/St-Baldricks-Foundation
+ St Baldricks Foundation
+ Every 2 minutes, a child somewhere in the world is diagnosed with cancer and in the U.S., 1 in 5 will not survive. These are devastating statistics, but you can be the HERO to help change the outcomes for children affected by cancer. <br>The St. Baldrick’s Foundation, the largest charitable funder of childhood cancer research grants, is on a mission to Conquer Kids’ Cancer by supporting the best childhood cancer research aimed at finding not only cures, but less toxic treatments so that survivors can live long and healthy lives. <br>Because of generous donors like you, St. Baldrick’s has been able to award 1,701 grants to virtually every institution treating childhood cancer, totaling more than $324 million since 2005. <br>Your donation has the power to create a ripple effect that will help children now and in the future.
+
+
+
+ https://staging.giveth.io/project/United-way-alliance-of-the-Mid-Ohio-Valley-Inc
+ United way alliance of the Mid-Ohio Valley, Inc
+ Our Mission<br>United Way of the Mid-Ohio Valley, Inc improves lives by uniting the helpers in our communities to advance the common good.
+
+
+
+ https://staging.giveth.io/project/Police-Athletic-League-of-St-Petersburg-Inc
+ Police Athletic League of St Petersburg, Inc
+ The Police Athletic League of St. Petersburgs mission is to transform the lives of young people in our community through education, healthy living and mentoring.
+
+
+
+ https://staging.giveth.io/project/Saving-Our-Seniors-Inc
+ Saving Our Seniors Inc
+ Saving Our Seniors is to raise awareness for seniors while providing assistance with activities of daily living and maintaining a safe environment. During Covid, SOS pivoted to assist all seniors with access to healthy foods by offering a fresh farmers market at no cost.
+
+
+
+ https://staging.giveth.io/project/Cottonwood-Institute
+ Cottonwood Institute
+ Cottonwood Institutes (CI) vision is to awaken the changemaker within every student. CI is on a mission to connect middle and high school students to nature and inspire them to protect it.
+
+
+
+ https://staging.giveth.io/project/RefugePoint
+ RefugePoint
+ RefugePoint envisions an inclusive world where refugees are supported to rebuild their lives, reach their full potential, and contribute to their communities. With a mission to advance lasting solutions for at-risk refugees and support the humanitarian community to do the same, RefugePoint supports refugees through two core programmatic areas:<br><br>(1) Self-Reliance: Helping refugees improve their lives and increase their self-reliance in the countries to which they flee.<br><br>(2) Resettlement and Other Pathways to Safety: Helping refugees legally relocate to safe countries where they can rebuild their lives.
+
+
+
+ https://staging.giveth.io/project/Pets-For-Vets
+ Pets For Vets
+ We enrich the lives of veterans by creating a super bond with custom trained working animals.
+
+
+
+ https://staging.giveth.io/project/Clinics-Can-Help-Inc
+ Clinics Can Help, Inc
+ We focus on improving mobility, independence and dignity, by providing access to life-saving and "quality of life"-enhancing durable medical equipment and supplies to every Palm Beach County resident in need of these critical links to recovery and support. At Clinics Can Help, we assist clients of all ages from young children to adults in their 90s and nobody is ever turned away because of their ability to pay.
+
+
+
+ https://staging.giveth.io/project/SUMMER-STARS-CAMP-FOR-THE-PERFORMING-ARTS
+ SUMMER STARS CAMP FOR THE PERFORMING ARTS
+ Summer Stars Camp for the Performing Arts is a nonprofit organization that teaches success through the performing arts to economically disadvantaged children, ages 12 -17. Through an intense 9 day program, they discover themselves and their potential through the arts.
+
+Through the hard work and risk-taking involved in developing a 90-minute show, 150 campers each session develop essential character and life skills: confidence, creativity, problem solving, risk-taking, leadership and team building. These skills will lead these kids down any path in life they dream to pursue.
+
+This life-changing program is provided at absolutely no cost to campers, a policy to which we are deeply committed.
+
+
+
+ https://staging.giveth.io/project/Solve-MECFS-Initiative
+ Solve MECFS Initiative
+ The Solve ME/CFS Initiative (Solve M.E.) serves as a catalyst for critical research into diagnostics, treatments, and cures for myalgic encephalomyelitis/chronic fatigue syndrome (ME/CFS), Long Covid and other post-infection diseases. Our work with the scientific, medical, and pharmaceutical communities, advocacy with government agencies, and alliances with patient groups around the world is laying the foundation for breakthroughs that can improve the lives of millions who suffer from various “long haul” diseases.
+
+
+
+ https://staging.giveth.io/project/Equal-Justice-Initiative
+ Equal Justice Initiative
+ EJI is committed to ending mass incarceration and excessive punishment in the United States, to challenging racial and economic injustice, and to protecting basic human rights for the most vulnerable people in American society.
+
+
+
+ https://staging.giveth.io/project/ZERO-The-End-of-Prostate-Cancer
+ ZERO - The End of Prostate Cancer
+ ZERO — The End of Prostate Cancer is the leading national nonprofit with the mission to end prostate cancer. ZERO advances research, improves the lives of men and families, and inspires action.
+
+
+
+ https://staging.giveth.io/project/Roote-Foundation
+ Roote Foundation
+ Our mission is to co-create the Wisdom Age.
+We’re accelerating the personal and collective transformation necessary for humanitys transition to the Wisdom Age—a world of networked abundance with people who have holistic understanding and ethics.
+
+
+
+ https://staging.giveth.io/project/Friends-Of-Oakland-Animal-Services
+ Friends Of Oakland Animal Services
+ Founded by Oakland Animal Services volunteers in December 2005, FOAS was created to support the municipal shelters efforts to better care for thousands of animals each year in the face of Oaklands ongoing budgetary challenges. Our mission is to provide homes, health, and happiness for Oaklands animals in need. Support us at friendsofoas.org.
+
+
+
+ https://staging.giveth.io/project/Tall-Trees-Foundation
+ Tall Trees Foundation
+ The Tall Trees Foundation’s mission is to provide support through grants to the valued employees and staff of Palo Alto Hills Golf & Country Club.
+
+
+
+ https://staging.giveth.io/project/Fractured-Atlas-Inc
+ Fractured Atlas, Inc
+ Fractured Atlass mission is to make the journey from inspiration to living practice more accessible and equitable for artists and creatives.
+
+
+
+ https://staging.giveth.io/project/Alexs-Lemonade-Stand-Foundation
+ Alexs Lemonade Stand Foundation
+ To change the lives of children with cancer through funding impactful research, raising awareness, supporting families, and empowering everyone to help cure childhood cancer. Alexs Lemonade Stand Foundation (ALSF) funds childhood cancer research and provides travel assistance to families with a child undergoing cancer treatment. Additionally, ALSF does in-house research through its Childhood Cancer Data Lab, which builds AI tools for cancer researchers to use.
+
+
+
+ https://staging.giveth.io/project/Homes-Not-Borders-Inc
+ Homes Not Borders Inc
+ Homes Not Borders works to provide the refugee and asylum-seeking population of the
+D.C. area with all they need to succeed and feel at home in the United States.
+
+
+
+ https://staging.giveth.io/project/IDAHO-DIABETES-YOUTH-PROGRAMS-INC
+ IDAHO DIABETES YOUTH PROGRAMS INC
+ Idaho Diabetes Youth Programs, Inc. (dba Camp Hodia), a non-profit 501(c)(3) organization, sponsors camps and programs for youth with type 1 diabetes regardless of their ability to pay.
+
+
+
+ https://staging.giveth.io/project/Universalgiving
+ Universalgiving
+ UniversalGivings mission is to Connect People to Quality Giving and Volunteer Opportunities Worldwide UniversalGivings vision is to create a world where giving and volunteering are a natural part of everyday life.
+
+
+
+ https://staging.giveth.io/project/Chinese-Culture-Foundation-of-San-Francisco
+ Chinese Culture Foundation of San Francisco
+ Chinese Culture Center (CCC), under the aegis of the Chinese Culture Foundation of San Francisco, is one of the leading and most prominent cultural and social centers in the city of San Francisco.
+
+The mission of the CCC is dedicated to elevating underserved communities and giving voice to equality through education and contemporary art.
+
+Founded in 1965, Chinese Culture Foundation opened its primary program site, Chinese Culture Center in 1973. Our work is based in Chinatown and San Francisco’s open and public spaces, and other art institutions.
+
+CCC has five decades of experience embedded in the community leading complex public art projects and events supported by Grants for the Arts, San Francisco Arts Commission, the SF Municipal Transportation Agency, among others.
+
+
+
+ https://staging.giveth.io/project/NEXT-for-AUTISM
+ NEXT for AUTISM
+ NEXT for AUTISM transforms the national landscape of services for people with autism by strategically designing, launching, and supporting innovative programs. We believe that individuals with autism have the potential to live fulfilling, productive lives when supported by excellent services and connected to their communities. We continually ask, what’s next for people on the autism spectrum?
+
+
+
+ https://staging.giveth.io/project/Moab-Music-Festival-Inc
+ Moab Music Festival Inc
+ It is the mission of the Moab Music Festival to connect music, the landscape, and people through world-class, innovative musical performances and education.
+
+
+
+ https://staging.giveth.io/project/Altruistic-Partners-Empowering-Society-Inc
+ Altruistic Partners Empowering Society Inc
+ Like you, we are altruists. Nothing is more important than helping your organization amplify its growth and impact. So let’s capture all the potential to make the world better together.
+
+
+
+ https://staging.giveth.io/project/Community-Help-in-Park-Slope-Inc
+ Community Help in Park Slope Inc
+ Provide food and shelter for the poor & homeless in the park slope area of Brooklyn, NY.
+
+
+
+ https://staging.giveth.io/project/Mother-Child-Education-Foundation
+ Mother Child Education Foundation
+ Since its establishment in 1993, ACEVs mission has been to make a lasting contribution to society by supporting the development of children and their environments through education starting from early years. Spanning early childhood, parenting, and adult literacy, ACEVs training programs have targeted all stages of human development and all members of the family from early childhood to parenthood. Our programs have common goals of reducing<br>disparities and addressing inequalities in various domains: as our preschool programs target equal opportunity, bridging the socioeconomic gap in school readiness and academic success by accessing disadvantaged children; our literacy and parent support programs address gender equality.<br><br>ACEV serves communities in need with carefully designed early childhood and adult education programs. ACEV believes that equal opportunity in education must be created for all individuals, education must begin in the early years and continue throughout the entire life cycle, both children and their families need to be supported for lasting positive outcomes.
+
+
+
+ https://staging.giveth.io/project/Nicklaus-Childrens-Health-Care-Foundation
+ Nicklaus Childrens Health Care Foundation
+ To help advance and enhance health care for children locally and globally.
+
+
+
+ https://staging.giveth.io/project/New-Song-Community-Learning-Ctr-Inc
+ New Song Community Learning Ctr Inc
+ New Song Community Learning Center is making a long-term investment in the lives of neighborhood youth and their families to ensure Indigenous Leadership for the ongoing transformation of Sandtown.
+
+
+
+ https://staging.giveth.io/project/PelotonU
+ PelotonU
+ PelotonUs mission is to provide working adults a pathway and the support to graduate from college on-time and debt-free. Our vision is that any student with the will and drive to graduate from college can earn a degree, regardless of geography or economics.
+
+
+
+ https://staging.giveth.io/project/The-Baby-Fold
+ The Baby Fold
+ WHO WE ARE The Baby Fold has been successfully wrapping services around children and families since 1902. Offering life-critical support such as foster care, special education, early childhood programming, and adoption support. The Baby Fold is a unique resource with a strong and enduring heritage. We care for our youngest citizens so they can be blessed with loving homes, stable lives, and the futures they deserve.
+
+
+
+ https://staging.giveth.io/project/Happy-Hearts-Indonesia
+ Happy Hearts Indonesia
+ Happy Hearts Indonesia envisions that every child in Indonesia has access to quality education. With the support of the local communities we rebuild schools that are impacted by natural disasters, or in underprivileged areas, provide clean water facilities and classroom equipment. Our 5-year development program ensures that every rebuilt school has access to trainings for students, teachers and school management.
+
+
+
+ https://staging.giveth.io/project/Ukrainian-Orthodox-Church-of-the-United-States-of-America
+ Ukrainian Orthodox Church of the United States of America
+ The American-Ukrainian Orthodox Church of the USA was deeply affected by these facts, in that Archbishop John had been consecrated as one of the first three bishops of the Autocephalous Church in Ukraine and had not received the canonical recognition of world Orthodoxy. In spite of several attempts to plead his case before the Ecumenical Patriarchate no progress was made on the issue and in fact, all his correspondence went unanswered. The clergy and faithful of the American-Ukrainian Orthodox Church of the USA, however, were undaunted in their conviction and their commitment to build their own independent church, which continued to grow and develop spiritually and materially. With the Archdiocesan center located in Philadelphia, a seminary was established and the clergy needed to serve the spiritual needs of the faithful were educated and assigned – all of them working miracles in the establishment and building of new parishes all over the country.
+
+
+
+ https://staging.giveth.io/project/JCVision-and-Associates
+ JCVision and Associates
+ JCVision’s mission is to identify financial solutions by providing tools to increase economic success, development, and equal access for all residents and communities within Georgia. <br><br>We are an organization whose advocacy work ensures that: <br> <br>1. Georgia communities are free of housing discrimination and <br>2. The fairness and integrity of the tax system for low-income taxpayers are protected under the Taxpayer Bill of Rights. <br>3. Georgia residents’ housing is stabilized to prevent homelessness.
+
+
+
+ https://staging.giveth.io/project/NGO-Museum-of-Contemporary-Art
+ NGO Museum of Contemporary Art
+ NGO Museum of Contemporary Art (MOCA NGO) unites representatives of artistic and expert communities working with contemporary art in Ukraine, systematically develops the sphere, and advocates the necessity to create a new type of museum institution in our country.<br><br>MOCA NGO history:<br>The organization was established in 2020 on the basis of the NGO Dzygamedialab (2015), which has been developing the Open Archive of Ukrainian Media Art and related projects for five years. The discussion on the need for museification of contemporary art in Ukraine has continued in the professional environment since the mid-1990s. In 2019 it was supported by the efforts of Minister of Culture (Volodymyr Borodyansky, 2019-2020), and then the museum issue went beyond purely professional discussion. In March 2020, the Ministry of Culture and Information Policy selected the scientific research by the group, which has been working at the National Art Museum of Ukraine since 2017, to implement the professional museum institution of contemporary art. Two of the nine participants in that working group joined the group of Advisors of the MOCA NGO, and four joined the self-governing MOCA Expert Councils initiated by the MOCA NGO.<br><br>Co-founders of MOCA NGO put their minds and efforts into the art system-developing projects. <br><br>Here is a link to the co-founders interview on the museum creation issues subject (July 2021): https://artmargins.com/on-the-concept-of-the-museum-of-contemporary-art-in-ukraine-svitlana-biedarieva-in-conversation-with-olya-balashova-and-yuliia-hnat/<br><br><br>Since 2021, together with several dozen colleagues, involved in one way or another, we have been working on primary issues that will make contemporary art in Ukraine more accessible for the professional community and broader audiences, in particular, through advanced museum activities. We strive to create conditions for productive work in the field of contemporary art.<br><br>Before 24th February 2022, there were three directions in MOCA NGO program activities: <br>1. Institutional (the projects that facilitate the structural development of the art field). <br>2. Science + Education + Communications. <br>3. Interaction with the authorities (the projects that provide guidance from the professional community and support to the state institutions).<br><br>We believe that an advanced system of contemporary art, as we consider it and work on it, delivers results in the following areas: <br>"Contact with the Contemporary" <br>"Thinking" <br>"Understanding yourself" ("Identity") <br>"Accumulation of values," primarily - the symbolic values of contemporary artworks. It affects the reputation, social, and economic value projections at the both levels of individuals and society as a whole.<br>This is our choice that shapes our activities and our relationships with our teammates, colleagues and partners. We would describe our activities as liquid, shared, digital, based on relations/ integrations/ networks, glocal, sustainable on point.<br><br><br>Since 24th February 2022, when Russia launched a full-scale invasion of Ukraine, MOCA NGO has been focusing on the projects that are particularly relevant during the war days and afterwards and established the Ukrainian Emergency Art Fund in partnership with The Naked Room, ZABORONA and Mystetskyi Arsenal.<br><br>MOCA NGO actual priorities:<br><br>Short term:<br>+community: support and development of the art community in Ukraine;<br>+content: working with art practices results.<br><br>Long term:<br>country transformations caused by the development of advanced art system (new type of professional museum as a core element).<br><br>------<br><br>The Ukrainian Emergency Art Fund (UEAF) raises funds to distribute to independent artists, curators, art managers, researchers, culture workers and non-governmental cultural initiatives in need. <br><br>As you can see on the UEAF website (https://ueaf.moca.org.ua) :<br><br>UEAF mission: Today, the world needs free, strong and alive voices of Ukrainian cultural actors more than ever. Our task is to ensure the continuity and development of the Ukrainian cultural process during the war.<br><br>UEAF priorities:<br>1. Survival/emergency needs:<br>support for cultural workers who have remained in Ukraine and urgently need support to ensure a basic standard of living and security.<br>2. Development needs:<br>to ensure the visibility of Ukrainian culture in Ukraine and abroad, we support cultural workers and artists in Ukraine and those who relocated abroad after the start of a full-scale Russian war against Ukraine. We strive to support:<br>+ individual creative activity of artists and cultural workers;<br>+ continuity of research of curators, theoreticians, researchers and other cultural workers;<br>+ support packages for NGOs and cultural initiatives to support and enhance their programs and activities.<br><br>UEAF team do:<br>+ facilitate support and administer donations offered by international artistic and charity organisations, as well as from private donors;<br>+ provide support for cultural actors from different sectors( independent artists, curators, arts managers, researchers, writers etc) and cultural NGOs in Ukraine;<br>+ provide the opportunity to live and work for cultural workers, who decided to stay in Ukraine in order to preserve the cultural heritage of their area (museums, private collections, architectural monuments), etc.<br>+ globally promote contemporary Ukrainian culture as a powerful instrument for protection of the values of democracy and freedom in the world.
+
+
+
+ https://staging.giveth.io/project/Getting-Out-and-Staying-Out
+ Getting Out and Staying Out
+ GOSO partners with people impacted by arrest and incarceration on a journey of education, employment and emotional wellbeing and collaborates with NYC communities to support a culture of nonviolence.
+
+
+
+ https://staging.giveth.io/project/SERV-International
+ SERV International
+ SERV International uses food as a platform to share Christ. We exist to physically and spiritually feed people and develop stronger communities in some of the most remote regions in the world.<br><br>To date SERV has distributed over 32 million meals to underserved people groups and communities in 9 countries.
+
+
+
+ https://staging.giveth.io/project/Billion-Oyster-Project
+ Billion Oyster Project
+ Billion Oyster Project is restoring oyster reefs to New York Harbor through public education initiatives.
+
+
+
+ https://staging.giveth.io/project/Big-Brothers-Big-Sisters-of-Metro-Atlanta
+ Big Brothers Big Sisters of Metro Atlanta
+ Our mission is to create and support one-to-one mentoring relationships that ignite the power and promise of youth.
+
+
+
+ https://staging.giveth.io/project/Stockyards-Plaza-Inc
+ Stockyards Plaza Inc
+ StockYards AG experience connects agriculture to our lives. Our vision is a world where everyone recognizes and celebrates the past, present, and future of agriculture.
+
+
+
+ https://staging.giveth.io/project/Keep-A-Breast-Foundation
+ Keep A Breast Foundation
+ Our mission is to reduce breast cancer risk and its impact globally through art, education, prevention, and action.
+
+
+
+ https://staging.giveth.io/project/Maya-Health-Alliance-Wuqu-Kawoq-Guatemala
+ Maya Health Alliance - Wuqu Kawoq Guatemala
+ Led by indigenous health workers, we provide comprehensive health care in Mayan languages to 20,000 patients a year in rural communities in Guatemala’s Central Highlands. We believe that high-quality care, health, and wellbeing should be within reach for everyone, no matter where they were born or what language they speak. Our program areas include women’s health, early childhood care and nutrition, maternal health, and chronic disease care.
+
+
+
+ https://staging.giveth.io/project/La-Scuola-International-School
+ La Scuola International School
+ Inspire brave learners to shape the future.
+
+
+
+ https://staging.giveth.io/project/Naca-Inspired-Schools-Network
+ Naca-Inspired Schools Network
+ NISNs mission is to transform Indigenous education by engaging communities, building networked schools of academic excellence and cultural relevance, and serving Native American students from early learning to adulthood so that they are secure in their identity, healthy, and holistically prepared as lifelong learners and leaders in their communities.
+
+NISNs impact strategy is to be the first school incubator and network of high-performing schools dedicated solely to Native American/Indigenous education, eventually reaching to high-need Native communities across the western United States. Through the schools in its network, NISN seeks to reimagine what Indigenous education and the school experience can be for Native students by creating schools of academic excellence and cultural relevance.
+
+
+
+ https://staging.giveth.io/project/Family-Promise-Montco-PA
+ Family Promise Montco PA
+ Family Promise Montco PA helps families achieve self-sufficiency through community-based programs designed to bridge homelessness and independence.
+
+
+
+ https://staging.giveth.io/project/Herd-USA
+ Herd USA
+ HERD-USA is an IRS 501c3 Not-For-Profit Organisation that supports the efforts of HERD elephant orphanage based in South Africa. The South African team rescues and rehabilitates elephants that are in need due to natural reasons or human conflict.
+HERD is South Africa’s first elephant orphanage, and was independently established in 2021, after 24 years of successful caring for a herd of rescued elephants under the umbrella of another wildlife rescue non-profit organisation.
+HERD was developed as a response to the growing number of orphaned elephants in need, and HERD-USA was incorporated to raise funds and awareness in the United States, for plight of African Elephants, and support fully the rescue and rehabilitation efforts of the South African team on the frontline.
+
+
+
+ https://staging.giveth.io/project/For-Inspiration-and-Recognition-of-Science-and-Technology-(FIRST)
+ For Inspiration and Recognition of Science and Technology (FIRST)
+ The mission of FIRST® is to inspire young people to be science and technology leaders and innovators, by engaging them in exciting mentor-based programs that build science, engineering, and technology skills, that inspire innovation, and that foster well-rounded life capabilities including self-confidence, communication, and leadership.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Southern-Florida
+ Make-A-Wish Southern Florida
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/New-Jersey-Community-Development-Corporation-(NJCDC)
+ New Jersey Community Development Corporation (NJCDC)
+ New Jersey Community Development Corporation (NJCDC) is a non-profit community development and social service agency located in Paterson, New Jersey. Our mission is to create opportunities to transform lives in Paterson’s Great Falls Promise Neighborhood through education, youth development, affordable/supportive housing, and community building initiatives. Our vision is that all 8,000 children living or going to school in our neighborhood will reach adulthood ready for college and a career.
+
+
+
+ https://staging.giveth.io/project/International-FOP-Association
+ International FOP Association
+ To fund research to find a cure for FOP while supporting, connecting and advocating for individuals with FOP and their families, and raising awareness worldwide.
+
+
+
+ https://staging.giveth.io/project/Pathlight-HOME
+ Pathlight HOME
+ We change the lives of homeless and low income persons by providing affordable housing and economic opportunities. Annually, we serve over 700 homeless persons with permanent housing and hundreds more with employment training and counseling.
+
+
+
+ https://staging.giveth.io/project/Inner-Child-Foundation
+ Inner Child Foundation
+ Inner Child Foundation is a 501c3 private foundation focused on supporting artists in a self-sustaining way, thanks to a new blockchain endowment in the form of PoS staking. Our charitys work is at the intersection of arts and technology.
+
+
+
+ https://staging.giveth.io/project/Queens-Court-Inc
+ Queens Court Inc
+ The Queens’s Court, Inc. Is a not-for-profit corporation, organized for the purpose of the advancement of non-profit charity organizations, recognition of volunteerism in Pinellas County and the preservation and dignity of the queen of hearts ball. (Because of COVID the queen’s heart ball was not held this year. Expenses were to maintain a functioning organization.)
+
+
+
+ https://staging.giveth.io/project/Club-Esteem
+ Club Esteem
+ Club Esteem is a nonprofit organization inspiring 1st-12th grade boys and girls from under-resourced communities to embrace academic and personal excellence. Club Esteem students grow into determined, compassionate, career and college-ready young people bound for success.
+
+
+
+ https://staging.giveth.io/project/Physicians-Committee-for-Responsible-Medicine
+ Physicians Committee for Responsible Medicine
+ The Physicians Committee is dedicated to saving and improving human and animal lives through plant-based diets and ethical and effective scientific research.. PCRM donors are primarily individuals.
+
+
+
+ https://staging.giveth.io/project/The-College-of-Physicians-of-Philadelphia
+ The College of Physicians of Philadelphia
+ We are a non-profit medical, educational, and cultural institution with the mission of advancing the cause of health while upholding the ideals and heritage of medicine.<br><br>The College of Physicians of Philadelphia is home to America’s finest museum of medical history, the Mütter Museum. Our Museum displays its beautifully preserved collections of anatomical specimens, models, and medical instruments in a 19th-century “cabinet museum” setting and aims to help the public understand the mysteries and beauty of the human body and to appreciate the history of diagnosis and treatment of disease.
+
+
+
+ https://staging.giveth.io/project/Corporacion-La-Fondita-de-Jesus
+ Corporacion La Fondita de Jesus
+ To build a community with the homeless and other vulnerable populations, transforming lives and promoting dignified conditions, self-sufficiency and spiritual development for all.
+
+
+
+ https://staging.giveth.io/project/Architects-Foundation
+ Architects Foundation
+ The Architects Foundation attracts, inspires, and invests in the next-generation design community to have positive impact in the world. As the philanthropic partner of the American Institute of Architects (AIA), we activate and steward the historic Octagon in Washington, DC as a place of inspiration to demonstrate the value architects and architecture bring to just, equitable, diverse, and inclusive communities.
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-of-Chester-County
+ Habitat for Humanity of Chester County
+ Seeking to put God’s love into action, Habitat for Humanity brings people together to build homes, communities and hope. Habitat for Humanity of Chester County envisions a world where everyone has a decent place to live.
+
+
+
+ https://staging.giveth.io/project/Childrens-Advocacy-Alliance
+ Childrens Advocacy Alliance
+ Children’s Advocacy Alliance is a community-based nonprofit organization that mobilizes people, resources, and reason to ensure every child has a chance to thrive and to make Nevada a better place to live and raise a family. We are independent voice for Nevada’s children improving conditions in the areas of children’s school readiness, safety, health, and economic well-being.. Any individual or organization that want to help kids succeed and be protected.
+
+
+
+ https://staging.giveth.io/project/Arlington-Free-Clinic
+ Arlington Free Clinic
+ Arlington Free Clinic provides free, high-quality healthcare to low-income, uninsured Arlington County adults through the generosity of donors and volunteers.
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-NYC-Westchester
+ Habitat for Humanity NYC Westchester
+ Habitat NYC and Westchester transforms lives and communities by building and preserving affordable homes with families in need, and by uniting all New Yorkers around the cause of affordable housing.
+
+
+
+ https://staging.giveth.io/project/Primate-Rescue-Center
+ Primate Rescue Center
+ The Primate Rescue Center (PRC) is a sanctuary home to nearly 45 monkeys and apes. The PRC is committed to the lifetime care of these individuals rescued from biomedical research and the pet trade. We provide highly individualized care, including healthy diets, comprehensive medical care, comfortable enclosure spaces, appropriate social opportunities, and stimulating enrichment/activities. In addition, we collaborate with other sanctuaries, government agencies, and wildlife officials when primates need sanctuary placement across the US, including transportation assistance.
+
+
+
+ https://staging.giveth.io/project/Women-in-Blockchain-Foundation
+ Women in Blockchain Foundation
+ Women in Blockchain (WiB), founded in 2017, is one of the earliest grassroots efforts with a mission to enable a diverse crypto ecosystem through our education, research, career development, and community initiatives.
+
+
+
+ https://staging.giveth.io/project/Woodwell-Climate-Research-Center
+ Woodwell Climate Research Center
+ Woodwell Climate Research Center conducts science for solutions at the nexus of climate, people and nature. We partner with leaders and communities for just, meaningful impact to address the climate crisis.
+
+
+
+ https://staging.giveth.io/project/Songs-For-Kids
+ Songs For Kids
+ Songs For Kids provides music mentorship and interactive programs for kids and young adults with illnesses, injuries, and disabilities. We focus on creative expression, encourage exploration in a safe space, and never lose sight of the fun.<br>Our musicians impact the lives of kids both in and out of children’s hospitals through live interactive concerts, hospital bedside performances, music mentorship, and songwriting & recording programs. We work with thousands of hospitalized and special needs children and their families as we continue to grow our vision and commitment for national service.
+
+
+
+ https://staging.giveth.io/project/Elk-Hill
+ Elk Hill
+ Elk Hill enables children and families to transform overwhelming challenges into successful futures through specialized education, community-based services and residential treatment programs.
+
+
+
+ https://staging.giveth.io/project/Guide-Dogs-for-the-Blind
+ Guide Dogs for the Blind
+ Guide Dogs for the Blind harnesses the power of partnerships—connecting people, dogs, and communities—to transform the lives of individuals with visual impairments.
+
+
+
+ https://staging.giveth.io/project/Outreach-with-Lacrosse-Schools-(OWLS)
+ Outreach with Lacrosse Schools (OWLS)
+ At OWLS, we engage, enrich, and inspire Chicago kids and communities through the power of lacrosse.<br><br>Together with our donors, community partners, schools, coaches, tutors, and, of course, our student-athletes, we are bridging the achievement gap for Chicago’s underserved neighborhoods through mentorship, academic support, enrichment experiences, and one of the greatest games on the planet.
+
+
+
+ https://staging.giveth.io/project/Southern-Invitational-Smoke
+ Southern Invitational Smoke
+ Southern Smoke Foundation supports members of the food and beverage industry nationwide through emergency relief funding and access to mental health services.
+
+
+
+ https://staging.giveth.io/project/Global-Disaster-Relief-Team-Inc
+ Global Disaster Relief Team Inc
+ Global Disaster Relief Team (GDRT) is a bridge between medical services and humanitarian aid and those affected by the war in Ukraine that need it most. We work with local and contextually aware resources to identify, vet, and fulfill the needs of people and areas that fall under the radar in this crisis. We connect volunteers, medical professionals, and donated supplies to communities in Ukraine and the people that need them. We find the places who are overburdened and have insufficient resources and who haven’t seen enough help, and using our network of skilled volunteers and service workers, we bridge that gap.
+
+
+
+ https://staging.giveth.io/project/Wildtracks
+ Wildtracks
+ Wildtracks is a well established conservation organization working towards the sustainable future of the natural resources of Belize, through conservation of ecosystems and species, building engagement and strengthening capacity towards effective environmental stewardship at all levels.<br><br>The organization was established in 1990, and registered as a Belize non-profit organization in 1996. In collaboration with its partners, Wildtracks has made critical contributions towards conservation in Belize, and has demonstrated high cost effectiveness, effective project and strategy implementation, with built-in evaluation, and with a demonstrable, consistent success record.<br><br>Wildtracks is recognised at national level for its conservation successes, has a highly motivated team, and an international following of dedicated supporters. The organization is very focused - its programs and program strategies are designed to support national and global goals and address critical gaps, and fall into four areas:<br><br>1. Biodiversity Conservation (Landscapes / Seascapes; Protected Areas; Endangered Species)<br>2. Sustainable Development (Coastal Communities; Climate Change; Sustainable Fisheries)<br>3. Outreach (In-situ and Ex-situ education, outreach and engagement at all levels)<br>4. Support (Volunteer Programme; Capacity Building; Conservation Consultancy Services; Financial Sustainability; Administration)<br><br>Biodiversity Conservation<br><br>Landscapes / Seascapes: Wildtracks has partnered with other stakeholders towards the successful declaration of the North East Biological Corridor in Belize, linking key protected areas within the tropical forest landscape, and protecting wide ranging species such as jaguar and tapir.<br>In the marine environment, Wildtracks has been providing technical support for the strengthening of river to reef communication and collaboration between five protected areas in the northern Belize seascape.<br><br>Endangered Species Conservation: Wildtracks has partnered with Government and non-Government stakeholders to address wildlife trafficking in Belize, strengthening recognition of wildlife crime for improved multi-agency enforcement. It also hosts two of Belizes four wildlife rehabilitation centres - for endangered Antillean manatees and two species of primates - endangered Yucatan black howler monkeys and critically endangered Central American spider monkeys, focusing on effective wildlife rehabilitation and release as part of integrated species conservation strategies. Both have the highest success rates in the region, with strategic species reintroductions to strengthen species viability.<br><br>Sustainable Development: Wildtracks works with its local partners, the Sarteneja Alliance for Conservation and Development, providing technical support for the community based organization towards effective management of Corozal Bay Wildlife Sanctuary, one of Belizes largest marine protected areas, and an important site for manatees. The organization has worked with both the co-managers and local fishermen towards the development of a rights based fishery, protecting traditional fishing practices and building stewardship of the fish resources. It has also worked with the Sarteneja community to develop and implement a community tourism development plan that has provided a roadmap for tourism development in the community, based on a common vision. As part of this, Wildtracks has provided tour guide training for more than 30 local fishermen, allowing them to shift from fishing to tourism. It has also been working to build climate change resilience in marine protected areas and vulnerable coastal communities.<br><br>Outreach: The Outreach Programme focuses on effective partnerships to build capacity at national and local levels for improved environmental stewardship. Wildtracks engages students from schools around Belize, particularly in species conservation, building awareness of ecosystem services and climate change resilience. In the coming two years, Wildtracks will be investing in infrastructure and equipment to better support its education and outreach activities, to engage youths as conservation leaders in their communities.<br><br>Wildtracks achieves its outputs through its team of dedicated volunteers, who take on the daily maintenance of the endangered species in rehabilitation, and through the skill set of its directors for effective conservation planning and facilitation, bringing people together from all levels of society for concrete conservation successes. Much of the work is done on a volunteer basis, but the operating costs have been creeping higher, and there is now a critical need to diversify the income base. Income is currently through volunteer contributions to operating costs, grants, and through consultancy services in conservation planning for initiatives that meet the Wildtracks Mission, as a way of providing technical assistance and facilitation to conservation efforts on a local and national level whilst also<br>providing a financial sustainability mechanism for support of Wildtracks activities
+
+
+
+ https://staging.giveth.io/project/The-Church-of-the-Movement-of-Spiritual-Inner-Awareness-(MSIA)
+ The Church of the Movement of Spiritual Inner Awareness (MSIA)
+ The Movement of Spiritual Inner Awareness (MSIA) teaches Soul Transcendence — becoming aware of yourself as a Soul and as one with God, not as a theory but as a living reality. MSIA offers an approach that focuses on how to incorporate spirituality into our everyday life in a tangible, workable way. We call it “practical spirituality.” It’s using everything in our life to expand and grow in a way that allows us to relate to the world from the inside out.
+
+
+
+ https://staging.giveth.io/project/The-Foundation-for-Evangelism
+ The Foundation for Evangelism
+ To promote, encourage, and provide resources for Wesleyan evangelism, inviting all people into life-transforming relationships with Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Central-Alabama
+ United Way of Central Alabama
+ We at United Way are committed to building better, stronger and more equitable communities. Because change doesn’t happen alone. To live better, we must LIVE UNITED.
+
+
+
+ https://staging.giveth.io/project/Time-Heroes-Foundation
+ Time Heroes Foundation
+ The TimeHeroes Foundation was founded in 2011 with the goal to build and develop the volunteering culture in Bulgaria. Today the organisation runs the largest volunteering platform in Bulgaria - TimeHeroes.org. <br><br>By the end of January 2018, TimeHeroes.org has matched 638 organisations which need support for their causes with over 40 000 individuals who wish to donate their time and skills. So far the volunteers have taken part 65 379 times in 1400 volunteering initiatives (called missions) in 175 towns across Bulgaria.<br><br>The platform is the main, and often sole, source for Bulgarian nonprofit organizations and active citizens to recruit volunteers. <br><br>To achieve our mission to develop Bulgarias volunteering culture, we run several further projects. <br><br>ANNUAL AWARDS<br>We established the annual volunteering awards THE HEROES, which reward outstanding volunteers, organisers, responsible companies and media (after open nominations), and promote and stimulate volunteering as a whole. In 2017 a jury selected 23 of the 226 nominees and these were announced at an official ceremony that was widely covered in media, was attended by 250+ guests and was streamed 26 000 times.<br><br>YOUTH VOLUNTEERING<br>We are growing a network of school and university volunteer clubs across the country. Over 30 clubs are currently active with 500+ student members organising their own community-based initiatives or supporting existing volunteer missions held by local nonprofits. <br><br>SENIORS VOLUNTEER PHONE LINE<br>We operate a National Volunteers Phone Line volunteering telephone line as an alternative to the website for people without access to the internet or a computer, mainly targeting seniors and retirees. This project aims to tackle the pervasive societal isolation in this age group in Bulgaria. <br><br>CAPACITY BUILDING<br>Through workshops and systematised good practices we are actively building the capacity of Bulgarian nongovernmental organisations for working with volunteers. In 2015-2016 we collected and systematised the experience of 250 Bulgarian NGOs working with volunteers. We are sharing this know-how in a wiki platform, a 100-page handbook and a series of workshops. Over 1000 NGOs have received the handbook, about 100 have so far participated in our highly-rated workshops. We also fundraise and distribute monthly small grants enabling volunteer involvement in causes.
+
+
+
+ https://staging.giveth.io/project/Hinsehen-und-Helfen-eV
+ Hinsehen und Helfen eV
+ Hinsehen und Helfen e.V. is a non-profit organization that has made it its mission to improve the lives of people in poor regions of the world, especially in Eastern Europe, through various aid projects.<br><br>Help which is directly arrived and very important. Therefore all members of "Hinsehen und Helfen e.V." Completely voluntary and every support comes 100% where it is needed. No administrative apparatus that needs to be financed or otherwise costs, not bureaucracy, but simply looking and acting!
+
+
+
+ https://staging.giveth.io/project/Street-Soccer-Barcelona-Associacio
+ Street Soccer Barcelona Associacio
+ Street Soccer Barcelona (SSB) is a non-profit association committed to equality and non-discrimination for people at risk of social exclusion. <br><br>We understand football as a tool for inclusion and of providing opportunities for people to develop their potential and live in dignity. Hoping to improve the quality of life of those women and men which we work with.<br><br>We seek to involve the local population in this process of social integration in order to achieve a more cohesive society.<br><br>Our main objectives are therefore:<br><br>- To promote inclusive sports practice<br>- Contribute to people´s empowerment by developing confidence and security in themselves<br>- Sensitize the local population to the reality of homelessness and migration, questioning prejudices and stereotypes through shared activities
+
+
+
+ https://staging.giveth.io/project/Jackson-Health-Foundation
+ Jackson Health Foundation
+ JACKSON HEALTH FOUNDATION is the private fundraising arm of Jackson Health System (JHS), the most comprehensive healthcare provider in South Florida. Established in 1991, the Foundation is governed by a volunteer board of directors committed to philanthropic activities that benefit the medical programs and services at JHS. Through the generosity of compassionate donors, the Foundation helps to fill the gaps of major capital projects and programmatic needs that cannot be financed by public bond support.
+
+
+
+ https://staging.giveth.io/project/Dom-Dziecka-w-Golance-Dolnej
+ Dom Dziecka w Golance Dolnej
+
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-Martin-County
+ Boys Girls Clubs of Martin County
+ To enable all young people, especially those who need us most, to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/WILD-Foundation
+ WILD Foundation
+ WILD expands & empowers global coalitions that defend Earths life-saving wilderness. WILD does this by combining on-the-ground projects with subtle activism and policy interventions to achieve lasting protections for Earth’s wildlife and wild places.
+
+
+
+ https://staging.giveth.io/project/Danbury-Hospital-New-Milford-Hospital-Foundation
+ Danbury Hospital New Milford Hospital Foundation
+ Philanthropy supports healthcare excellence at Nuvance Health, enabling us to enhance programs and priorities that improve patient care, research and medical education.
+
+
+
+ https://staging.giveth.io/project/Toulcuv-dvur-zs
+ Toulcuv dvur, zs
+
+
+
+
+ https://staging.giveth.io/project/Community-Access
+ Community Access
+ Community Access expands opportunities for people living with mental health concerns to recover from trauma and discrimination through affordable housing, training, advocacy, and healing-focused services. We are built upon the simple truth that people are experts in their own lives.
+
+
+
+ https://staging.giveth.io/project/Samaritan-House
+ Samaritan House
+ Fighting Poverty. Lifting Lives. Since 1974, Samaritan House has led the fight against poverty in San Mateo County. We mobilize the resources of our community to help those among us who are in need. We are the only organization delivering the full breadth of essential services and personalized support to the working poor while preserving dignity, promoting self-sufficiency, and providing hope. We combine access to food, clothing, housing, and healthcare with personalized case management giving our clients a way to combat all the pressures of poverty that they face.
+
+
+
+ https://staging.giveth.io/project/Shes-the-First
+ Shes the First
+ At She’s the First, we believe every girl should be educated, respected, and heard. Each year, we reach more than 147K girls across 42 countries. We provide flexible and equitable funding, training on girl-centered design, learning and teaching resources, and professional development for young women beginning their own non-profit work in communities around the world. We believe that through mentorship, education and community support, all girls can become extraordinary women, and choose their own future.
+
+
+
+ https://staging.giveth.io/project/Sky-Mountain-Wild-Horse-Sanctuary
+ Sky Mountain Wild Horse Sanctuary
+ Sky Mountain Wild Horse Sanctuary creates healthy ecosystems for wild horses and provides sanctuary for vulnerable wild horses where they roam free forever.
+
+
+
+ https://staging.giveth.io/project/Church-on-the-Rock
+ Church on the Rock
+ To lead people to a God who is for them and help them discover His purpose for their life.
+
+
+
+ https://staging.giveth.io/project/Micronesian-Conservation-Coalition
+ Micronesian Conservation Coalition
+ The mission statement of MCC is, "to respect and sustain the island resources and cultures of Micronesia." Our vision statement is, "Sustainable capacity in Micronesia through a nexus of Indigenous cultures, empirical research, and community connections.
+
+
+
+ https://staging.giveth.io/project/Topsy-Foundation
+ Topsy Foundation
+ Its our vision to see children from disadvantaged rural communities, grow into successful confident adults. <br><br>Its our mission to provide disadvantaged rural communities with the support and tools needed to raise happy, healthy and capable children.
+
+
+
+ https://staging.giveth.io/project/De-(be)denkers-vzw
+ De (be)denkers vzw
+ In a fast evolving, high technological society digital en technological literacy are - next to research skills, problem solving, creativity, innovation and entrepreneurship - key competences to seek answers to the challenges of tomorrow.<br>Our mission is to provide examples of good practice and facilitate in digital technology for elementary and secondary schools in the region to enable teachers and STEM-teachers in particular to implement challenging STEM education and counter the shortage of STEM educated professionals in the near future. <br>Alongside encouraging a broad digital en technological literacy to counter the STEM illiteracy among the active population and stimulate more students to pursue a career in STEM.
+
+
+
+ https://staging.giveth.io/project/Friendship
+ Friendship
+ To contribute to an environment of justice and equity to empower people to reach their full potential through a sustainable, integrated development approach.
+
+
+
+ https://staging.giveth.io/project/Kenya-Connect-(KC)
+ Kenya Connect (KC)
+ We have big dreams and were working to make them come true! Our vision is an empowered rural community that harnesses the benefits of education to drive sustainable development. With the mission of engaging and empowering students and teachers in rural Kenya to succeed in the 21st century, we believe we can achieve our vision.
+
+
+
+ https://staging.giveth.io/project/Marymount-University-Hospital-and-Hospice
+ Marymount University Hospital and Hospice
+ Marymount University Hospital & Hospice owes its origins to the inspiration of Dr. Patrick Murphy, who from his own experiences living and working in Cork, was well aware of the medical needs of the sick and poor of the city. He had been impressed with the work of the Religious Sisters of Charity in Cork, especially during the Famine, and bequeathed to them whatever remained of his estate on condition that they provide a hospital for the people of Cork.<br><br>Marymount University Hospital & Hospice is a healthcare facility which provides two distinct services. The elderly care facility provides respite care, intermediate palliative care and continuing care for older people. Marymount Hospice provides care to patients with progressive illness, both cancer and non-cancer, at a time when pain or other symptom issues need addressing. Patients on active treatment may benefit from a short term admission for symptom control and rehabilitation. Support is offered to families facing loss or who are bereaved. Marymount is the designated Specialist Care Centre for the Cork/Kerry region serving a population of approximately 600,000.<br><br>The facility was founded in 1870 and in September 2011 moved from its long-time city centre location, no longer fit for purpose, to a new purpose built state of the art facility at Curraheen on the edge of Cork city. The new facility provides 44 specialist palliative care beds an extensive ambulatory care/day care facility, accommodation for the community palliative care team, and full educational and library resources. There are 63 elderly care beds and a day care facility on campus.<br><br>There is a long and proud tradition of providing high quality clinical, psycho-social and spiritual care to patients and their families. There is an active and developing interdisciplinary teaching and research programme with strong University links. There are recognised training programmes for doctors, nurses, physiotherapists, social workers and chaplains in the principles and practice of palliative care and all are approved by recognised governing bodies such as The Medical Council, Royal College of Physicians of Ireland and An Bord Altranais. The service is designed to help people live as actively as possible in the face of advancing illness. The patient and their family are at all times at the centre of our philosophy of care.<br><br>The cost of providing this service is met by a combination of state funding and, increasingly, by donated funds.<br><br>"Our mission statement is as follows:<br><br>in providing excellent care, we cherish the uniqueness and dignity of each person, showing compassion and respect. We strive for quality and integrity in all we do.
+
+
+
+ https://staging.giveth.io/project/The-Trussell-Trust
+ The Trussell Trust
+
+
+
+
+ https://staging.giveth.io/project/HOGAR-DEL-NINO-A-C
+ HOGAR DEL NINO A C
+ Brindar apoyo integral a ninos en situaciones de abandono, maltrato, abuso, orfandad o riesgo, ayudandoles a sanar y restaurar areas de sus vidas en las que hayan sido danados, brindandoles un hogar donde se respeten la dignidad de la ninez y sus derechos, cultivando la confianza en si mismos, dando proteccion, educacion, formacion integral, carino y comprension para formar jovenes academicamente preparados y productivos, teniendo como fundamento los valores eticos, morales, espirituales, culturales y deportivos, a fin de incrementar sus posibilidades de exito para tener mejores condiciones de vida.
+
+
+
+ https://staging.giveth.io/project/Project-Orbis-International-Inc-(Hong-Kong)
+ Project Orbis International, Inc (Hong Kong)
+ Orbis is an international nonprofit that has been transforming lives through the prevention and treatment of avoidable blindness for nearly four decades. With our network of partners, we mentor, train and inspire entire local eye care teams - from health workers in rural clinics to eye surgeons in urban centers - so they can work together to save and restore vision, ensuring no one must face a life of avoidable blindness. Working in collaboration with local partners, including hospitals, universities, government agencies and ministries of health, Orbis provides hands-on ophthalmology training, strengthens healthcare infrastructure and advocates for the prioritization of eye health on public health agendas.<br><br>• Our Vision: To transform lives through the prevention and treatment of blindness.<br>• Our Mission: With our partners, we mentor, train and inspire local teams so they can save sight in their communities
+
+
+
+ https://staging.giveth.io/project/The-Nawaya-Network
+ The Nawaya Network
+ The Nawaya Network aims to develop the talent, passions, and skills of youth from underprivileged communities. Via our network, we connect disadvantaged youth with mentors, businesses, and institutions, to help them pursue skills or passions that would otherwise go unnoticed. We believe that by enabling at-risk youth to pursue their passions, they will be less likely to engage in violence, crime, and drug-use. The Nawaya Network is a new non-governmental, non-discriminative non-profit organization that discovers hidden potential, connects youth to worldwide resources, and empowers future generations.
+
+
+
+ https://staging.giveth.io/project/The-Bienvenido-Project-(FUNFONAVI)
+ The Bienvenido Project (FUNFONAVI)
+ The Bienvenido Project exists to provide holistic care for children and adolescents through food, education, health care, and advocating for the childs rights and safety.
+
+
+
+ https://staging.giveth.io/project/Autismo-en-Voz-Alta
+ Autismo en Voz Alta
+ Educate individuals with autism so they can develop the skills and abilities required to function effectively within their family and social environment. We want to become the reference educational model in Venezuela for the attention of individuals with autism.
+
+
+
+ https://staging.giveth.io/project/Ishahayi-Beach-School-Foundation
+ Ishahayi Beach School Foundation
+ The mission of the Ishahayi Beach School Foundation is to promote and foster the education of Nigerian children, particularly in the remote Ishahayi/Ikaare area of Lagos State.
+
+
+
+ https://staging.giveth.io/project/The-Water-Trust
+ The Water Trust
+ We empower the poorest rural communities in East Africa to provide their children clean water and healthy homes to develop to their potential. We are unique in not just building wells, but creating local savings and credit cooperatives that finance well maintenance and repairs to ensure sustainable water and provide a source of capital for households to invest in a brighter future. We are a lean, data-driven organization with a staff that is >95% Ugandan.<br><br>Since 2008, The Water Trust has helped more than 300,000 people gain and sustain access to water, sanitation, and hygiene. We continue to monitor more than 900 partner water points, testing water point functionality and water quality to ensure water is still flowing.<br><br>In a setting where just 55% of borehole wells are functional and just 30% have functional management, our partner communities achieve >93% functionality in both water functionality and management functionality. The secret is the community cooperative banks we form, which manage a reserve fund for well repairs. Households are happy to pay into the water point reserve fund because they also benefit from access to personal savings and credit, allowing them to invest in their children and their livelihoods.
+
+
+
+ https://staging.giveth.io/project/Blossom-Trust
+ Blossom Trust
+ Vision: Our vision is women at the heart of community development: establishing thriving, equitable and empowered communities across Tamil Nadu.<br><br>Mission: We promote women-led development and create resilient communities through collective networks, collaboration and awareness. <br><br>Theory of Change: We are committed to changing the narrative from women as disadvantaged and impoverished women as leaders and agents of change: creating the opportunity for them to take ownership of their development and empowering them to empower their community.
+
+
+
+ https://staging.giveth.io/project/Beirut-Art-Center
+ Beirut Art Center
+ The aim of BAC is to produce, present and contextualize local and international art researches and cultural practices in a space that is open and active all year long, and not requiring any entrance fees.<br><br>BAC seeks engagement with various art forms and experiences and alternative methods of knowledge production and distribution. We support local and regional contemporary artists and facilitate the creation and realization of projects as well as interaction among local and international cultural players.
+
+
+
+ https://staging.giveth.io/project/ASOCIACION-FILANTROPICA-CUMMINS-A-C
+ ASOCIACION FILANTROPICA CUMMINS A C
+
+
+
+
+ https://staging.giveth.io/project/Lifepoint-Church
+ Lifepoint Church
+ At Lifepoint, we believe you were created on purpose for a purpose, and that God has a unique design for your life.
+
+
+
+ https://staging.giveth.io/project/Afrika-Matters-Initiative
+ Afrika Matters Initiative
+ Africa Matters is a youth-led organisation committed to upskilling and empowering African youth to change their communities and African narrative through leadership, social entrepreneurship, and advocacy. We have impacted the lives of over 27,000 African youth and diaspora through our four flagship programs Africa Matters Ambassadors Program (AMAP), Schools Leadership Development Program (SLDP), ShE is Empowered Program (ShE), Youth Leadership Development Program (YLDP), events and social media engagements.<br><br>Our flagship programs play a facilitating role in supporting African youth to value and understand the importance of advocacy, social innovation and entrepreneurship to conceptualise and implement solutions that directly address social issues in their communities. All of our programs are curated with Sustainable Development Goals in mind ensuring that African youth are #goalkeepers of the future they want for themselves, their communities, and the continent. Our programs focus on SDGs 1, 3, 4, 5, 8, 10, 13 and 17, encouraging youth to advocate and develop local solutions to local problems.
+
+
+
+ https://staging.giveth.io/project/Alternative-Indigenous-Development-Foundation-Inc
+ Alternative Indigenous Development Foundation, Inc
+ AIDFI is:<br><br>- Dedicated to excellence in the development and for promotion of appropriate technology and social enterprises for sustainability development;<br>- Committed to effectiveness and efficiency in development management;<br>- Committed to help facilitating empower communities, gender equity and cultural diversity.
+
+
+
+ https://staging.giveth.io/project/Afghanaid
+ Afghanaid
+ Afghanaid is a British humanitarian and development organisation established in 1983. For close to 40 years, we have worked in Afghanistan with millions of deprived, excluded and vulnerable families in some of the poorest and most remote communities. <br> <br>Our mission is to provide rural Afghans with the training and tools they need to help themselves, their families and their communities. We support basic service provision, improve livelihoods, empower women, help communities protect against natural disasters, and respond to humanitarian crises. Afghanaid currently operates in eight provinces, and through our wide range of development and humanitarian programming we reached approximately 1.64 million Afghans in 2019.<br> <br>Afghanaid employs 395 full time staff, with 389 of those based in Afghanistan, the overwhelming majority of whom are Afghans. We work in Badakhshan, Daykundi, Ghor, Herat, Logar, Nangarhar, Samangan and Takhar provinces. Afghanaid primarily works in three programmatic areas: access to basic services; improved livelihoods; disaster risk reduction and emergency assistance.<br> <br>Our Access to Basic Services pillar supports communities to improve their basic service provision and community infrastructure, helping them mobilise, design, and implement small-scale community development projects. Afghanaid has been a facilitating partner for both the National Solidarity Programme (NSP) and Citizens Charter National Priority Programme (CCNPP) since 2003.<br> <br>Our Improved Livelihoods pillar supports Afghan men and women, in rural and urban communities, to strengthen their livelihoods, increase their incomes, and improve their access to new markets and value chains. Therefore, enabling households to lift themselves out of poverty. We also promote sustainable livelihoods, ensuring communities protect and manage their natural resources such as water and rangelands.<br> <br>Our Disaster Risk Reduction and Emergency Assistance pillar supports communities to plan for, respond to, and mitigate the impact of natural disasters. When disasters do occur, including displacement or conflict, we provide emergency humanitarian assistance and help communities to rebuild, restore productive land and community infrastructure, and recover their livelihoods.<br> <br>All of our programming is underpinned by three key principles, which we believe are essential to sustainable development in Afghanistan: conflict mitigation and peacebuilding; gender and inclusion; and good governance. We believe in a peaceful and thriving Afghanistan. It is crucial that, after decades of war, Afghans have a voice in their peaceful development, making them active participants in shaping the future of their country. We work with both women and men to challenge traditional gender norms and improve gender equality. Our projects are disability inclusive and support marginalised groups. Finally, we continuously work to strengthen the relationship between citizens and local authorities, and promote meaningful engagement with political processes.<br> <br>Afghanaid is also the lead agency of the Afghanistan Resilience Consortium (ARC), which was established in 2014 as a partnership between Afghanaid, ActionAid, Concern Worldwide, and Save the Children. The ARC integrates natural resource management, disaster risk reduction, and livelihood strengthening with a community-led approach to create lasting resilience for Afghanistans communities and ecosystems. The ARCs holistic programming recognizes that conflict and environmental degradation can exacerbate the impacts of natural hazards, and strives to support communities and improve ecosystem management in order to reduce the risk of disasters and build adaptive capacity to climate change.
+
+
+
+ https://staging.giveth.io/project/Kusala-Projects-Inc
+ Kusala Projects Inc
+ 1. To establish a set of activities for the ongoing support of community projects targeted to the poor and disadvantaged of all castes and creeds in the Bodhgaya region of Bihar, India. <br>2. These projects should include:<br>(a) Supporting the education of children in need<br>(b) Establishment of educational institutions for children in need <br>(c) Establishment of vocational learning centres <br>(d) Establishment of self help groups for individuals to develop their own businesses, with particular focus on women<br>(e) To encourage seminars for womens development and self empowerment<br> (f) To raise the self-esteem and self-reliance of the communities involved.
+
+
+
+ https://staging.giveth.io/project/Congo-Children-Trust
+ Congo Children Trust
+ The Congo Children Trust supports vulnerable street children in the Democratic Republic of Congo. Our flagship project, Kimbilio, works in the southern city of Lubumbashi supporting over 500 children each month, with the aim of reintegrating them with their families. Kimbilio runs four centres, including an outreach centre offering food, emotional support and healthcare; two transit houses; and a small community where children live in a holistic family setting. Kimbilio also built and runs a primary school in an impoverished area of Lubumbashi. Providing high quality education to former street children and children whose parents are not able to ordinarily send their children to school. This school is a life line in the area offering a positive future and hope to children who otherwise would not have the chance to learn to read and write.
+
+
+
+ https://staging.giveth.io/project/Center-for-Advancement-of-Rights-and-Democracy-(CARD)
+ Center for Advancement of Rights and Democracy (CARD)
+ CARD works to empower citizens and groups of citizens to ensure their ability to promote and defend human rights and build democratic governance in Ethiopia..
+
+
+
+ https://staging.giveth.io/project/Foundation-for-National-Parks-Wildlife
+ Foundation for National Parks Wildlife
+ The Foundation for National Parks & Wildlife (FNPW) aims to safeguard our ecosystems, wilderness, and flora and fauna now and for future generations.
+
+
+
+ https://staging.giveth.io/project/In-the-Lords-Hands
+ In the Lords Hands
+ THE LORDS HANDS<br>Our basic mission:<br>We desire to be "the Lords Hands" in helping the poor and the needy.<br><br>The following materials are from In the Lords Hands website Photos are on the website.<br><br>The Lords Hands NGO<br>WHO ARE WE?<br>________________________________________<br>The Lords Hands is a charitable and humanitarian NGO founded on human and Christian values centered on the true love of neighbor.<br>It has been said: Too often we notice the needs around us, hoping that someone from far away will magically appear to meet those needs. Perhaps we wait for experts with specialized knowledge to solve specific problems. When we do this, we deprive our neighbor of the service we could render, and we deprive ourselves of the opportunity to serve. While there is nothing wrong with experts, let us face it: there will never be enough of them to solve all the problems.<br>We are not experts, nor rich or famous, but we have a reverence for life and a desire to be the Lords Hands in helping the poor and the needy. Please add greater meaning to your life today and join us in creating a better tomorrow!<br>Our resources consist of financial contributions from active members, donations and volunteers hours of service.<br><br><br>PROJECTS IN PROGRESS<br> Food Security<br> Education<br> Communiity Projects<br><br>Food Security<br>________________________________________<br><br>No Food, no hope. No hope, no dream for a better life.<br>Join us to fight Famine<br>Mission<br>Famine is one of the most common evils in our communities because of natural disasters, conflicts, unstable economic situations, and the lack of fundamentals in management and self-reliance principles. The goal is to support communities by training them on small projects in the processing, production, and conservation of food products.<br>Strategies<br>Food for All Program<br><br>Based on local realities, we identify communities of different strata of our populations in the grip of hunger, living in rural areas and some in urban areas and help them to take charge of themselves by efficiently exploiting natural resources at their disposal. With our partners who are experts in the field, we provide basic training, provide production tools such as watering cans, seeds, etc. Beneficiaries commit to perpetuate this culture in their families and commit to contributing with resources such as land for gardening, time, and availability to learn and share knowledge on agricultural techniques they receive from our program.<br><br>Education<br>________________________________________<br><br>Mission<br>We help people from disadvantaged social strata to acquire basic and practical trainings for their personal, collective development, and Self-reliance.<br><br>Strategies<br> Professional Training:<br>In partnership with Local professional training centers, we provide short-terms practical trainings in the following areas:<br>- Sewing Skills<br>- Masonry & Construction Skills<br>- Plumbing Skills<br>- Cooking Skills<br>- Agriculture & Farming Skills<br>- Welding Skills<br> Literacy:<br>With proven technicians and partners working in the field of education, we organize French literacy classes for women and children first. Adults in need are also considered.<br> Scholarship:<br>In partnership with local orphans supporting structures, we help pay school fees for orphans and other children in real need.<br> Computer for BYU Pathway Connect<br>With the support of our donors, we are providing Laptops to purposeful BYU Pathway Connect students who meet qualifying criteria and demonstrate a real need.<br>Are you a BYU Pathway Connect student?<br>Are you in a real need of computer? Check your eligibility by submitting your application.<br>Check your eligibility and submit your application<br>Submit your application<br><br><br><br><br>Community Projects<br>________________________________________<br><br>Make your community benefit from your precious time by participating in community projects. Understanding that we are the main responsible for the environment in which we live. The Lords Hands NGO with its vast network of volunteers recognize the impact that each community participant can make in improving conditions and environment of their community. The Lords Hands NGO initiates projects and partners with institutions or groups working in community & environmental improvement. Without any form of race, color, ethnicity, or religious discrimination we participate in a various range of Community projects including:<br>Strategies<br>- Food delivery to the elderly people and orphans.<br>- Orphanage, Elderly Houses or a public hospital Cleaning or Rehabilitation.<br>- Game activities for disadvantaged children.<br>- Collect baby clothes and supplies to donate to new parents.<br>- Free Art Courses, (Music & Dance).<br>- Cleaning or unblocking of road of general interest.<br>- Participating in a tree planting and awareness campaign on environment protection.<br>Projects will be made public on The Lords Hands NGO website, www.thelordshands.org and on its social media pages.<br><br><br>PROJECTS IN DEVELOPMENT<br> Emergency Responses<br>NGO Partnerships<br><br>Emergency Responses<br><br><br>Becoming inevitable, natural disasters are more and more frequent in our communities, creating enormous damage. Our mission is that whenever one occurs within our reach, that we provide assistance and relief to the victims.<br>It has been reported that on average, humanitarian crises are more complex than at any time in the last 15 years, and last nearly three years longer than they used to. Conflict, migration, climate change and now the unexpected pandemic (COVID-19) are the key trends driving these crises.<br><br>Critical Emergency Responses to Address:<br>- Providing the basics (Soap, Sanitizers, masks etc.)<br>- Reinforce Sanitation to minimize infection<br>As they arise in our area of activities, Emergency responses will be posted and best approaches shared on our website and social media pages<br>Strategies<br>In partnership with local institutions, we identify and quantify needs to find a more effective approach to addressing the emergency. We mobilize volunteers, collect donations in kind and in cash depending on the type of disaster and work closely with the competent structures to relieve the affected communities.<br><br><br><br><br>NGO Partnerships<br><br>Recognizing the contribution that other charitable structures and institutions make to our communities, it will always be an honor for us to partner with NGOs and other charitable structures operating in the Humanitarian and environmental sector. We also recognize the challenge being faced by International organizations in implementing projects in our region. We are committed to engaging with them in an ethical and professional way to carry and assist with projects implementation and impact evaluation.<br><br>Are you a humanitarian organization or institution working in environment protection or community development? Tell us about your plans and Projects for a possible partnership with The Lords Hands NGO.<br><br><br>Clean Water<br>In development
+
+
+
+ https://staging.giveth.io/project/Hands-On-Tokyo
+ Hands On Tokyo
+ Hands On Tokyo addresses the critical needs of the community by partnering with other organizations focusing on environmental, educational, and social issues in Tokyo. Through such partnerships, we provide numerous opportunities for any individual or corporation looking to engage in direct volunteer service and community participation.<br><br>Our vision is to empower volunteers so that they can be confident that their contribution can change lives of others.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Hearts-of-Gold
+ Fundacion Hearts of Gold
+ Mission: Strengthen the capacity of community organizations through education, mentor-ship, and mobilization.<br><br>Vision: An Ecuador where every person enjoy a life of dignity, hope, and empowerment.
+
+
+
+ https://staging.giveth.io/project/meeting-HUB
+ meeting HUB
+ To provide a platform for skills development, knowledge transfer, networking and mentorship for entrepreneurs and innovators.
+
+
+
+ https://staging.giveth.io/project/FUNDACION-BANCO-DE-ALIMENTOS-DE-SEVILLA
+ FUNDACION BANCO DE ALIMENTOS DE SEVILLA
+ Provide food for people at risk of exclusion<br>Work for job placement for people at risk of exclusion<br>Avoid food waste
+
+
+
+ https://staging.giveth.io/project/Bevar-Ukraine
+ Bevar Ukraine
+ PCS. 1 - assistance to the people of Ukraine, including providing assistance to citizens internally<br>displaced persons, medical institutions, nursing homes, orphanages, orphans and<br>disabled people for poverty reduction and the strengthening of civil society.<br>PCS. 2 - integration of Ukrainians in Denmark through sports, culture and charity activities.<br>integration in the form of cooperation with other associations, municipal, regional and<br>state entities as well as private companies.<br>strengthening the contact between Danes and Ukrainians.<br>arrangement of cultural, social and educational activities for Ukrainian children.<br>- integration of children through communication between Danish and Ukrainian children.
+
+
+
+ https://staging.giveth.io/project/Mammadu-Trust
+ Mammadu Trust
+ To improve vulnerable and orphaned childrens present living conditions and their future lives by: 1.meeting their basic needs such as nutrition, health and hygiene; 2.ensuring that each of them attains an adequate education level; 3.promoting fundraising initiatives and projects with the contribution of donors and sponsors; 4.organizing voluntary work for those willing to devote their abilities and time to the children.
+
+
+
+ https://staging.giveth.io/project/Rewilding-Chile
+ Rewilding Chile
+ Promote Rewilding as an integral conservation strategy along the Route of Parks of Chilean Patagonia to counteract the climate and species extinction crisis, through the creation of terrestrial and marine protected areas, <br>the restoration of ecosystems and the strengthening of the link between communities and nature.
+
+
+
+ https://staging.giveth.io/project/International-Cultural-Diversity-Organization-(ICDO)
+ International Cultural Diversity Organization (ICDO)
+ The mission and goal of ICDO is the promotion of cultural diversity, inclusivity, interculturalism, human rights, as well as raising awareness of different cultural expressions and their values with the aim of fostering cultural interaction in order to bring people together and bridge cultural gaps. In addition, ICDO acts, promotes and conserves biodiversity, environment, and sustainability for the wellbeing of humanity.
+
+
+
+ https://staging.giveth.io/project/Kevin-Richardson-Foundation-NPC
+ Kevin Richardson Foundation NPC
+ The Kevin Richardson Foundations aims to preserve habitat and garner protection and awareness for Africas most iconic specie, the lion. The lion is under threat and scientists predict that by 2050, there will be no lions remaining in the wild. This blindspot in conservation is a challenge because of the total systemic complexity in which the lion exists. Our foundation seeks to address this issue from all angles through:<br>1. Buying up large tracts of land to preserve in perpetuity for lions and thus other wildlife species<br>2. Educate and empower rural communities living on the fringes of wildlife habitats so as to show meaningful benefit to conserving the wildlife surrounding them. Through providing opportunities for nature sensitization (especially for students) and respond to the immediate needs of these communities, we hope to help break the destructive habits of poaching and the bush meat trade.<br>3. Collaborate with a wide range of like minded individuals - we welcome scientists, artists, students, house moms, influencers, anyone with a passion for conserving the lion and other species, to come together to creatively pool our talent and resources to find innovative ways to address issues such as captive lion breeding, canned hunting and cub petting and help bring an end to these barbaric practices. historically we have worked with closely with scientists, especially those of the University of Pretorias Wildlife Management Programme in their Carnivore studies to help provide more data on protecting big cats and improving their care when in captive situations or undergoing translocation.<br>4. Protect and maintain the Kevin Richardson wildlife sanctuary which is home to 40 predators rescued from the captive breeding and canned hunting industry. These animals deserve a safe and enriched lifelong home.
+
+
+
+ https://staging.giveth.io/project/Charity-Association-Margarity
+ Charity Association Margarity
+ Bringing emergency aid where needed nationally and internationally (orphans, refugees etc.). Helping people meet their basic needs for food, shelter and water. Strengthening the public engagement and the action for social inclusion by emphasizing the collective and individual responsibilities in the battle with poverty and social exclusion. (Full mission is stated in the paperwork provided).
+
+
+
+ https://staging.giveth.io/project/Grupo-Ecologico-Sierra-Gorda-IAP
+ Grupo Ecologico Sierra Gorda IAP
+ The mission of the Sierra Gorda is to guide and coordinate the activities of its member organizations responsible for the conservation, restoration and sustainable development of the Sierra Gorda region and the Sierra Gorda Biosphere Reserve. Grupo Ecologico Sierra Gorda, the founding member organization of the Alliance, guides the work of the Alliances partner organizations in: a) educating for a sustainable future; b) organizing community action and cross-sector cooperation; c) adopting holistic land management; d) promoting management of solid waste and recyclables; e) raising awareness and civic participation; f) bundling and communicating best practices; and g) generating a significant social return on investment.
+
+
+
+ https://staging.giveth.io/project/The-Mustard-Seed-Mission
+ The Mustard Seed Mission
+ The Mustard Seed Mission, Taiwan is the 1st registered local social welfare organization in the country. We have been serving the Taiwanese citizens needs for more than 60 years. <br><br>*Our Vision: The mustard seed is the smallest of all seeds. When it grows, it becomes an enormous tree that birds fly to and perch on its branches. (From the Bible) <br><br>*Our Mission: Based on the faith and hope of the mustard seed, the Mustard Seed Mission (MSM) provides child care services, holistic youth development, and supportive family service networks. It restores family functions, so that love and righteousness can be passed down from generation to generation.
+
+
+
+ https://staging.giveth.io/project/Baark
+ Baark
+ BAARK! For a Humane Bahamas. BAARK! stands for Bahamas Alliance for Animal Rights and Kindness. We are a new organization formed by the members of the Facebook Group: For a more humane Bahamas Government Dog Pound.<br>Mission<br>BAARK! has two main objectives:<br>1) Immediately improve conditions and treatment of animals at the pound and rescue all potentially adoptable animals.<br>2) Dramatically increase public awareness and funding for spay & neuter programs in order to reduce the numbers of stray and unwanted animals in The Bahamas.
+
+
+
+ https://staging.giveth.io/project/Charitable-Foundation-Zaporuka
+ Charitable Foundation Zaporuka
+ Our mission is to be there for families with children facing serious diseases. We want them not to be alone with the disease. We share warmth and care to bring joy to their lives and to inspire recovery.<br>Our values: humanity, honesty, efficiency. <br>Being human is our life position: we are there for those who need us, we take care of them and help them.<br>Being honest - we report for every smallest contribution, this is the most important rule, observance of which allows us for 10 years to be proud of our reputation.<br>Efficiency - we maximize good from every donation using it where it is the most needed.
+
+
+
+ https://staging.giveth.io/project/Lupus-Foundation-of-America
+ Lupus Foundation of America
+ Our mission is to improve the quality of life for all people affected by lupus through programs of research, education, support and advocacy.
+
+
+
+ https://staging.giveth.io/project/California-Institute-of-Technology
+ California Institute of Technology
+ The mission of the California Institute of Technology is to expand human knowledge and benefit society through research integrated with education.
+
+
+
+ https://staging.giveth.io/project/Community-Animal-Medicine-Project-Inc
+ Community Animal Medicine Project, Inc
+ CAMP is an organization dedicated to providing affordable spay/neuter, vaccine and wellness care services to low income communities in Los Angeles. We believe that veterinary care should be affordable and accessible. We believe that no animal should be surrendered to a shelter to be euthanized because their owner cant afford needed veterinary care. The Community Animal Medicine Project -- CAMP (formerly called Spay Neuter Project of Los Angeles, SNP LA) is Southern California’s largest non-profit veterinary organization providing indispensable pet care services throughout Los Angeles’ most underserved communities.We operate four low cost, high volume spay/neuter and community animal medicine clinics in South Los Angeles, San Pedro and Mission Hills and run mobile clinics that travel throughout Los Angeles County bringing care directly to the communities that need it. We also operate CAMP’s Veterinary Training Project, training veterinary professionals in the desperately needed skills of high volume, high quality spay/neuter surgical skills and techniques. This scholarship supported program was established to provide solutions to the overburdened shelter system and to meet the veterinary shortage head on. Since we opened our doors in 2007, the CAMP veterinarian staff have performed over 300,000 spay/neuter surgeries - preventing the birth of millions of puppies and kittens into homelessness. Our community animal medicine veterinary programs reach over 80,000 pets annually providing affordable spay/neuter, vaccine and wellness care services to historically excluded communities in Los Angeles. CAMP is about community!
+
+
+
+ https://staging.giveth.io/project/Project-Sanctuary
+ Project Sanctuary
+ Believing that when one person serves the whole family serves, Project Sanctuary takes a human-centered, solution-based approach to helping military families heal and move forward in life. Through innovative long-term programming focused on connectedness, we restore hope and empower families to recover and thrive.
+
+
+
+ https://staging.giveth.io/project/Inly-School
+ Inly School
+ Inly School’s dynamic, Montessori+™ practices inspire our inclusive community of learners to explore and shape ourselves and the world with joyful curiosity, courage, and compassion.
+
+
+
+ https://staging.giveth.io/project/Giraffe-Laugh-Early-Learning-Centers
+ Giraffe Laugh Early Learning Centers
+ To provide early care and education to young children by ensuring school readiness, empowering families, and building strong futures.
+
+
+
+ https://staging.giveth.io/project/Everyorg
+ Everyorg
+ We help nonprofits raise more money and strengthen their relationships with donors in order to create lasting change. Our aim is a more generous and joyful world.
+
+
+
+ https://staging.giveth.io/project/Gorczanski-Park-Narodowy
+ Gorczanski Park Narodowy
+
+
+
+
+ https://staging.giveth.io/project/New-Hampshire-Catholic-Charities
+ New Hampshire Catholic Charities
+ New Hampshire Catholic Charities responds to those in need with programs that heal, comfort and empower. We are a human services organization supporting individuals in need, of all backgrounds and beliefs, throughout New Hampshire. For more than 75 years, we have brought lasting change to individuals and families struggling with a wide range of issues that impact communities across New Hampshire, such as hunger, poverty, financial despair, mental health, homelessness, unsafe environments for children and isolation among seniors.
+
+
+
+ https://staging.giveth.io/project/University-of-San-Diego
+ University of San Diego
+ The University of San Diego is a Roman Catholic institution committed to advancing academic excellence, expanding liberal and professional knowledge, creating a diverse and inclusive community and preparing leaders who are dedicated to ethical conduct and compassionate service. The University of San Diego sets the standard for an engaged, contemporary Catholic university where innovative changemakers confront humanitys urgent challenges.
+
+
+
+ https://staging.giveth.io/project/Food-for-Life-Global
+ Food for Life Global
+ Bring about peace and prosperity in the worldthrough the liberal distribution of pure plant-based meals prepared with loving intention. Food for Life Global pursues its mission by providing organizational and operating support to Food for Life’s vegan hunger relief programs.
+
+
+
+ https://staging.giveth.io/project/Kids-in-Need-of-Defense-(KIND)
+ Kids in Need of Defense (KIND)
+ In the U.S. and internationally, KIND meets children where they are. We are global experts on the rights and needs of unaccompanied and separated children and the laws, policies, and practices that affect them. In response to multiple dangers faced by unaccompanied and separated immigrant and refugee children and the need for a holistic, long-term approach, KIND works to address current challenges head-on, create systemic change, and provide critical services at all points during a child’s journey.
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-of-Cape-Cod-Inc
+ Habitat for Humanity of Cape Cod, Inc
+ Habitat for Humanity of Cape Cod partners with families in need of an affordable home to build one of their own; fostering stability, self-reliance and a strong sense of community.
+
+
+
+ https://staging.giveth.io/project/Middlesex-School
+ Middlesex School
+ MIDDLESEX SCHOOL IS AN INDEPENDENT, NON-DENOMINATIONAL, RESIDENTIAL, COLLEGE-PREPARATORY SCHOOL THAT, FOR OVER ONE HUNDRED YEARS, HAS BEEN COMMITTED TO EXCELLENCE IN THE INTELLECTUAL, ETHICAL, CREATIVE, AND PHYSICAL DEVELOPMENT OF YOUNG PEOPLE. (SEE SCHEDULE O)
+
+
+
+ https://staging.giveth.io/project/New-Agriculture-New-Generation-Non-Profit-Civil-Law-Company
+ New Agriculture New Generation Non Profit Civil Law Company
+ New Agriculture New Generation" is a non-profit organization, which aims to create career and entrepreneurship opportunities for youth in the Agrifood sector in Greece. The organization was founded in 2018 under the initiative and with the founding support of the Stavros Niarchos Foundation (SNF) as part of its "Recharging The Youth" program. <br><br>The initiative started in 2018, led by Rutgers University (the state university of New Jersey), in collaboration with the Agricultural University of Athens and the American College of Agriculture.<br><br>In October 2020, the initiative evolved into a Non-profit Civil Law Company based in Greece, expanding its activities and partner network while maintaining close collaboration with Rutgers University which is our strategic and technical advisor.<br><br>We are a catalyst for innovation in the Agrifood ecosystem in Greece. We enable empowerment of youth and support the revitalization of the sector through. We build capacity, expand advisory networks, nurture innovation, support business development, and encourage collaboration and dialogue through programs and initiatives which focus on four major pillars: 1. Workforce Development, 2. Entrepreneurship and Innovation Support, 3. Rural Development (Programs restarting agricultural economy in disaster-stricken areas and stimulating regional development), 4. Strategic Initiatives (Initiatives addressing and mitigating climate change effects on the agrifood sector).<br><br>We have built a wide network of partners, embracing the entire ecosystem of knowledge, entrepreneurship, and innovation across the agrifood sector in Greece. Furthermore, we work closely with all the Greek Academic Institutions and Research Centers, institutional, public, and private bodies. Our dynamic role in the agrifood ecosystem is acknowledged through our participation in several advisory groups to the Greek Ministry of Rural Development and Food, as well as in relevant working groups and committees of the Hellenic-American and the Hellenic-German Chamber of Commerce & Industry.<br><br>Since 2018, we have empowered more than 29.600 young farmers, producers, entrepreneurs, graduates and other professionals, through our capacity building, entrepreneurship, and regional development programs as well as through natural disaster relief initiatives (Fire relief initiative for Northern Evia, Initiative to support the stock farmers of Karditsa, affected by Cyclone Ianos).<br><br>We have implemented more than 50 capacity building programs and we have supported more than 100 SMEs, family and start - up businesses and cottage industries, and over 300 professional trainers, mentors and advisors. Our socioeconomic and environmental impact: 94% of our beneficiaries have improved their existing farming and technical processes, more than 44% of our beneficiaries have invested in the development of new products and services, more than 36% of businessowners/self-employed beneficiaries reduced their environmental footprint, 16.8 million is the total value created from our operations and 10.9 million created from our beneficiaries in the Greek economy. Our estimated economic leverage effect in the real economy is x3.6 (for each 1 euro spent by the organization, 3.6 is generated in the Greek economy). <br><br>Furthermore, our organization has adopted 13 of the Sustainable Development Goals (SDGs), while our activities are aligned with ESG criteria.<br><br>We offer unique value to the ecosystem and we are a trusted and effective ecosystem builder:<br>1. Transferring knowledge from the best. Capacity to mobilize the best scientific and professional resources from Greece, Rutgers University and other international institutions.<br>2. Building communities of dynamic young farmers and agrifood entrepreneurs Developing sector- and location-based synergies across Greece. Goodwill and capacity for collaboration with our alumni.<br>3. Developing and implementing in-house expertise and unique Methodologies Supporting rural development by empowering the agrifood economy in business and entrepreneurship support.<br>4. Extensive, active network of knowledge providers. Impactful current collaborations with all academic and research institutions in Greece, top industry professionals and consultants, and thriving businesses and cooperatives.<br>5. Credibility. Trust and support from renowned and respected international organizations, such as the Stavros Niarchos Foundation, Folloe Foundation, ActionAid.<br>6. Flexibility. Capacity to respond to the sectors needs in an agile, transparent and effective way.<br>7. Competent team. Combining different disciplines and knowhow, ability to work well in collaboration with other organizations, domestic and international.<br>8. Positive reputation. Good awareness of the organization across the sector and positive reputation<br><br> In 2022, NANG has been:<br>1. Acknowledged as best practice by the European Commission DG Agri and invited in the "Vocational Education and Training for Agriculture in Transition" event in Brussels. Also, NANG was represented in the "Workshop on Young entrepreneurs - Engines of innovation in rural areas" in Dublin.<br>2. Selected among the top 30 non-profit organizations in 10 countries to collaborate with 3M / PYXERA Global within the 3M Global Impact Program, for "Integrating ESG (Environmental, Social, Governance) principles with the strategic vision and operational sustainability of NANG";<br>3. Selected for collaboration in 2023 with the Iraq-based, newly established MERG Foundation, implementing women empowerment programs focused in rural areas of Iraqi Kurdistan;<br>4. Acknowledged for its impactful work in Greece by the General Fisheries Commission of the Mediterranean (GFCM), Food and Agriculture Organization, United Nations (FAO), and invited to attend the International Workshop on Algae Cultivation and Innovation in Saudi Arabia;<br>5. Exploring synergies with GFCM, regarding developing programs in the Mediterranean, locally adapting NANG methodologies on knowledge transfer and community building, collaborating and empowering local stakeholders.
+
+
+
+ https://staging.giveth.io/project/Marfa-Education-Foundation-Inc
+ Marfa Education Foundation Inc
+ The Foundation supports and enhances the work of the Marfa Independent School District, and is committed to facilitating enrichment projects and to augmenting the education of the Districts students.
+
+
+
+ https://staging.giveth.io/project/Elephant-Livelihood-Initiative-Environment-(ELIE)
+ Elephant Livelihood Initiative Environment (ELIE)
+ Background<br><br>Elephant Livelihood Initiative Environment (ELIE) is a registered local non-government organization, or not-for-profit, based in Mondulkiri, Cambodia. ELIE was founded in 2006 and started by providing free veterinarian care and mahout-orientated education to the families and communities that owned captive elephants throughout Mondulkiri province. <br><br>In 2007, The Elephant Valley Project (EVP) was launched as an elephant sanctuary developed to create a home for injured, old or overworked elephants and is now ELIEs centerpiece for elephant welfare and conservation. This elephant sanctuary has been developed in close partnership with the local indigenous Bunong community of Pu Trom, and sits within their community forest. ELIE is unique in terms of its primary source of funding now comes from income generated by local and international visitors coming to experience the elephants as part of the ecotourism project at the EVP. <br><br>Since 2006 the organisation has evolved and grown, with the development of EVP as an exciting ecotourism project, providing a sustainable financing mechanism funding all of ELIEs elephant care and welfare, community development and forest protection programs. <br><br>ELIEs Vision<br><br>"To improve the captive elephants health and welfare situation by the development of an elephant sanctuary while providing province-wide veterinary care and associated social support programs for the Bunong people."<br><br>Goals<br><br>1) To improve the health and welfare conditions of the captive elephant population of Mondulkiri<br>2) To develop a sanctuary for working elephants to rest and retire to in Mondulkiri Province<br>3) To conserve the wild elephants natural habitat<br>4) To provide employment and job based training to the Bunong community and mahouts<br>5) To support the local community to protect their forest and natural resources, the habitat of the elephants.<br>6) To identify the main pressures on the community and their forest, and provide community support programs to alleviate these pressures.
+
+
+
+ https://staging.giveth.io/project/CIFDHA
+ CIFDHA
+ CIFDHA is a Burkinabe law association working in the promotion and defense of human rights in Burkina Faso and Africa.<br> The vision of CIFDHA is that of a world where individual and collective rights are respected, where African societies, free from any conflict, cooperate with others to achieve sustainable development<br> The mission of CIFDHA is to contribute to the realization of human rights in Africa through the popularization of relevant instruments, training and sensitization of young people as well as capacity building of human rights organizations.<br> The Centre sets itself the general objective of working for the promotion and defense of human rights enshrined in the Universal Declaration of Human Rights of 1948, the African Charter on Human and Peoples Rights, as well as other relevant national and international texts.<br>The fields and modalities of action of CIFDHA are as follows:<br> Information and advice to the public, citizens and society organizations on human rights including digital rights ;<br> Training of young people and constitution of youth expertise in human rights available to African organizations and countries;<br> Denunciation of human rights violations, including restrictions of digital rights ;<br> Legal advice and assistance to victims of human rights abuses;<br> Support and development of projects and programs<br> Studies, researches and publications on human rights matters ;<br> Promotion and defense of youth engagement ;<br> Action in favor of greater active participation of young people in decision-making in Burkina Faso and Africa ;<br> Strengthening of youth leadership within organizations, in promoting and defending human rights<br> Motivation of young people for regional and international action ;<br> Establishment of exchange networks creating synergy of action at the national and sub-regional levels (networking)<br>Areas of intervention: CIFDHA operates at the national, regional and international level.
+
+
+
+ https://staging.giveth.io/project/Jamieson-Way-Community-Centre-Inc
+ Jamieson Way Community Centre Inc
+ Vision - Jamieson Way Community Centre will provide a welcoming and safe community space that connects people and facilitates the growth of community spirit.<br><br>Purpose - To foster community engagement and a sense of belonging by providing inclusive access to relevant activities and services.<br><br>To engage and partner with our community by providing opportunities to learn, share and evolve.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Bobath
+ Fundacion Bobath
+ The comprehensive treatment and education of people with cerebral palsy, throughout all stages of the affected persons life, so that they can lead a life as normalized as possible. For this, our project follows an interdisciplinary approach, based on the Bobath philosophy.<br><br>For the fulfillment of its mission, it will be able to develop all kinds of assistance, training and outreach activities, creating centers for the treatment and specialized education of cerebral paralyzed people, as well as for training in the Bobath Concept of the professionals who make up interdisciplinary teams that we advocate.<br><br><br>The purposes of the Foundation are:<br>a) The assistance and comprehensive treatment of people affected by cerebral palsy and damage, according to the BOBATH philosophy.<br>b) The educational and professional training of the disabled with cerebral palsy or damage from the school stage to the professional training for their labor insertion that allows the creation of jobs for them and, finally, their integration into the labor market.<br>e) The training of professionals who care for people with cerebral palsy or brain damage in the BOBATH Concept.<br>d) The promotion of research on cerebral palsy and brain damage.<br>) The protection and care of legally incapacitated persons, seeking the resources that allow them to live with a dignified quality of life and that make them full citizens.
+
+
+
+ https://staging.giveth.io/project/Tech-Girls-Movement-Foundation-Ltd
+ Tech Girls Movement Foundation Ltd
+ Our Vision<br>A society in which girls confidently lead in STEM entrepreneurship and contribute to their community and the economy.<br><br>Our Mission<br>To champion Australian school girls using hands-on learning to transform their future and encourage equity in the technology industry.<br><br>Our Objectives<br>To help girls get excited and connected with technology in a way that is meaningful and life-changing.<br><br>To give every girl the opportunity to participate in the Tech Girls Movement Foundation and realise their potential to lead.
+
+
+
+ https://staging.giveth.io/project/Aldeas-Infantiles-SOS-Costa-Rica
+ Aldeas Infantiles SOS Costa Rica
+ Asociacion Aldeas Infantiles SOS Costa Rica is a non-profit organization of private character and social development, founded in 1949 in Imst, Austria. Our country is a declared state since 2013 and declared of public utility. We are a present in 134 countries where we serve more than 400 000 children and their families. We are also members of UNESCO and advised by the ONU Economic and Social Council. <br> <br>Our reason for being. <br> <br>There are a number of social, economic, cultural, political and external factors in Latin America and the Caribbean that, at times associated with unfavorable socio-economic situations, may put children at risk of losing care for their families or significant adults. The complex interaction between these factors, such as natural disasters, armed conflict, interfamily and gender violence, problematic drug use, commercial sexual exploitation and trafficking, migration, among others; Expose children and their families to a situation of greater vulnerability, requiring responses to guarantee the exercise of their rights. <br> <br>In this sense, in the Asociacion Aldeas Infantiles SOS Costa Rica we work for the children right of family living. We develop actions to prevent the loss of family care, provide care alternatives for children who were separated from their families and develop advocacy actions, seeking to create the necessary conditions for children to fully exercise their rights. <br> <br> <br> <br> <br>ORGANIZATIONAL PROFILE <br> <br> <br> <br> <br> 2 <br> <br>What do we do? <br> <br>We work for the children right of family living. The organizations efforts are aimed at preventing the loss of childrens family care, and when it is lost, we provide them with alternatives of care, always working to bring the children back to their families and communities whenever possible or other possibilities of family living. <br> <br>How do we do it? <br> <br>1. To prevent the loss of family care we carry out support actions for family and community strengthening through: Pedagogical proposals of daily care for children Capacity building of children and their families Coordination of local networks work. <br> <br>2. For those children who lost family care we provide care alternatives based on family environments, seeking their integral development and considering their particular situation and the needs of each locality. <br> <br>Family life care: usually under the SOS family model, in the village houses, where we promote that children have a stable affective referent for as long as it require, promoting if possible the reinstatement to their family of origin. <br> <br>3. We carry out awareness actions in order to ensure quality standards in the care of all children. We advocate the states to strengthen and improve social protection systems, carrying out campaigns and programs, to ensure that all children, adolescents and young people have a full exercise of their rights, especially a family living.
+
+
+
+ https://staging.giveth.io/project/Sociedad-Peruana-de-la-Cruz-Roja-(Peruvian-Society-of-the-Red-Cross)
+ Sociedad Peruana de la Cruz Roja (Peruvian Society of the Red Cross)
+ Somos una institucion humanitaria, auxiliar de los poderes del Estado; integrada por voluntarias y voluntarios en una red de filiales a nivel nacional. Basamos nuestra accion en los Principios y Valores del Movimiento Internacional de la Cruz Roja y de la Media Luna Roja. Ayudamos a prevenir, aliviar y mitigar el sufrimiento humano de las personas y comunidades vulnerables en todas las circunstancias, promoviendo mejoras en su calidad de vida y fortaleciendo el desarrollo de sus capacidades.
+
+
+
+ https://staging.giveth.io/project/Metropolitan-Ministries
+ Metropolitan Ministries
+ We care for the homeless and those at risk of becoming homeless in our community through services that alleviate suffering, promote dignity and instill self-sufficiency… as an expression of the ongoing ministry of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Community-Organising-for-Rural-Uplliftment-Society
+ Community Organising for Rural Uplliftment Society
+ To organize people in to the groups and prepare them as a collective force by organizing various type of capacity building trainings and generate awareness about a Government Development activities progressive policies, equal rights and empowerment of the socially suppressed and economically exploited groups of the people in the society
+
+
+
+ https://staging.giveth.io/project/Associazione-Amici-Della-Pediatria-ONLUS
+ Associazione Amici Della Pediatria ONLUS
+ The Association was born in 1990, at the USC of Pediatrics of the Ospedali Riuniti di Bergamo, with the aim of acting in support and integration of the public body to improve the assistance to hospitalized children and to give support to their families offering a permanent support service.<br><br>The Association brings together parents, health workers, teachers, volunteers who are committed to addressing the health, psychological, emotional and human problems of the hospitalized child.<br><br>Volunteers work to promote concrete gestures of solidarity and participation by "taking care of the child as a whole", enriching human relationships with children and their families by sharing difficulties and making their time available.<br><br>So that the hospitalization experience is not a negative parenthesis in the childs life experience, the Association offers each hospitalized child the opportunity to face the period spent in the hospital with greater serenity, making him and his family feel warmth around him and his family. , affection, understanding, participation.<br><br><br><br><br><br> <br><br>All this is expressed in the Statute of our Association which has the following objectives:<br><br>meet the needs of the psycho-physical well-being of children admitted to the USC of Pediatrics, with particular attention to the blood oncology and transplant area and to ensure clinically and humanly "attentive and qualified" assistance;<br>raise awareness among institutions and society in order to promote the acceptance of children suffering from serious and / or chronic diseases to families;<br>favor the coordination of all the bodies and operators in charge of "taking care" of the sick child in the hospital;<br>encourage the preparation of pediatric health workers in the forms deemed most suitable (scholarships, participation in scientific conferences, study trips, refresher courses, publications of proceedings and specialized journals);<br>foster and promote concrete solidarity with the families of children suffering from chronic pathologies, from haemato-oncological diseases, who have undergone liver transplantation and hospitalized at the USC of Pediatric Papa Giovanni XXIII Hospital
+
+
+
+ https://staging.giveth.io/project/Vaga-Lume-Association
+ Vaga Lume Association
+ Vaga Lume (firefly, in Portuguese) is a Brazilian nonprofit organization created in 2001 to empower children within rural communities of the Amazon by fostering literacy and operating community libraries as knowledge sharing spaces.<br><br>Over this 20 years, we have helped over 25,000 children to pursue bigger dreams, respect cultural diversity and treasure their own identity.<br><br>Our work takes place in the Amazon, one of the most important regions of the world, not only in terms of cultural and environmental diversity, but also in terms of area and population. It encompasses 9 countries, 33 million inhabitants and it is the home of 385 different indigenous ethnic groups. However, in the region lies one of the lowest Human Development Index in the country and 20% of its population is functional illiterate.<br><br>Vaga Lume operates in 86 rural communities (indigenous, riverside, roadside, rural settlement people or quilombolas - Brazilian with African descent) of 22 municipalities in the Brazilian Legal Amazon region, which encompasses nine federal states (Acre, Amapa, Amazonas, Maranhao, Mato Grosso, Para, Rondonia, Roraima and Tocantins), occupies 59% of the Brazilian territory and has 20 million people (12% of the Brazilian population).
+
+
+
+ https://staging.giveth.io/project/TAHUDE-Foundation
+ TAHUDE Foundation
+ Tanzania Human Development Foundation (TAHUDE Foundation - NGO/00005851) is a non-profit organization founded in Tanzania. Our ambition is to utilize the different talents of men and women who wish to effect positive changes in the lives of people. We serve as a bridge between our partners and communities in need.<br><br>We work in various areas, including safe water & clean energy. Please view our project pages to discover more.
+
+
+
+ https://staging.giveth.io/project/Reaching-Hand
+ Reaching Hand
+ The mission of the organization is divided into three folds:<br> Create opportunities through innovative strategies across our focus communities<br> Connect with beneficiaries through life-transforming engagements<br> Collaborate with like-minded partners across the globe to raise volunteers and resources
+
+
+
+ https://staging.giveth.io/project/Love-Wildlife-Foundation
+ Love Wildlife Foundation
+
+
+
+
+ https://staging.giveth.io/project/Building-Futures
+ Building Futures
+ Mission Statement:<br>To contribute to national development through the provision of support to schools, providing assistance for support staff as well as services, provision of school meals, lodgings and feeding the poor and destitute and raising funds in Malawi by engaging in low risk commercial activities as well as abroad in order to accomplish its objectives.
+
+
+
+ https://staging.giveth.io/project/Stichting-She-Matters
+ Stichting She Matters
+ Our mission is to empower refugee women to build their social and economic capital, boost their self-confidence and become leaders in their homes, businesses and communities.
+
+
+
+ https://staging.giveth.io/project/Dhammajarinee-Witthaya-Foundation
+ Dhammajarinee Witthaya Foundation
+ Provide a safe home and quality education to disadvantaged girls who lack opportunity or are from problem backgrounds, Pre-school to 12 Grade. Girls come from poverty, broken homes, orphanages, situations of abandonment, and violent or abusive environments. DWF provides free of charge: traditional academic education, meals, medical care, a comfortable living situation, clothing, all school supplies and travel expenses.<br>Currently DWF has set a goal to expand the student body by an additional 1000 students over the next 3-4 years, in order to bring greater progress and success to the future of more young, at-risk women in Thailand.
+
+
+
+ https://staging.giveth.io/project/Shikamana-Trust
+ Shikamana Trust
+ Shikamana Trust oversees and manages the Shikamana School in Ukundu, Kenya. The school was founded in May 2002 with the aim of providing education for children, who due to poverty would otherwise be unable to attend school. Over 360 children regularly attend the Shikamana School, ranging in age from 3 to 17. Shikamana does not turn away any child wishing to attend school, meaning that many of the children attend despite their parent of guardians inability to pay the very moderate schools fees. The school operates a sliding scale of fees according to what the parents can manage. This subsidized school fees mechanism is made possible through the Shikamana Trust and the Cher Charitable Foundation, which help provide necessary funds to run the school properly despite lack of income from school fees.
+
+
+
+ https://staging.giveth.io/project/Tulip-Tennis-(EHQ)-Selection-Group
+ Tulip Tennis (EHQ) Selection Group
+ To facilitate training for the Youth at Tulip Tennis Center to bring joy in playing tennis and to offer them a healthy sports environment. Our match fund is to develop elite players and financial assist those who cannot otherwise participate in topsport.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Mexicana-contra-el-Cancer-de-Mama-AC
+ Asociacion Mexicana contra el Cancer de Mama AC
+ Fundacion CIMA (as we are better known) is a non governmental / non profit organisation created in 2002 to disseminate updated information to educate and inform the Mexican people on: early detection, the risk factors and the access to timely treatment in regards to breast cancer. As well to build a community to offer and strengthen the emotional support of patients and their families and care givers.
+
+
+
+ https://staging.giveth.io/project/Save-Youth-Future-Society
+ Save Youth Future Society
+ Save Youth Future Society is an independent organization investing in creating opportunities for Palestinian youth to be engaged in community by empowering passionate volunteerism and capacity to lead Palestinian society to achieve sustainable development.
+
+
+
+ https://staging.giveth.io/project/Rising-Sun-Education-Welfare-Society
+ Rising Sun Education Welfare Society
+ To provide special children with education & training facilities to enhance their capabilities and rehabilitate them in the society"<br> To provide medical, psycho-educational, speech & language assessment and therapy services to CWDs (Children with Disabilities) enrolled at Rising Sun Institute or referred by different specialists & professionals<br> Human Resource Development for teaching and training of Rising Sun and other similar institutions<br> To promote Inclusive Education by orientation of regular school teachers about special needs and inclusive education so that more and more special children are given education along with their peers in their own environment<br> To create community awareness about needs of Inclusive Education for CWDs and role of community & to prepare literature for the parents of CWDs and to train them to look after their children
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-Greater-Orlando-and-Osceola-County-Inc
+ Habitat for Humanity Greater Orlando and Osceola County, Inc
+ Were a nonprofit, affordable-housing organization driven by a vision that everyone deserves a safe and affordable place to live. Part of a global nonprofit, Habitat Orlando & Osceola was founded in 1986 and has built, rehabbed, or repaired nearly 800 homes throughout Central Florida.
+
+
+
+ https://staging.giveth.io/project/The-New-York-Foundling
+ The New York Foundling
+ The New York Foundling, in the tradition of openness and compassion of its sponsors the Sisters of Charity, helps children, youth, adults, and families in need through services, supports, and advocacy that strengthen families and community and help each individual reach their full potential.
+
+The New York Foundling provides carefully designed programs, effective and interrelated services, and opportunities for our community members to create transformational change in their own lives.
+
+
+
+ https://staging.giveth.io/project/Manny-Pacquiao-Foundation
+ Manny Pacquiao Foundation
+ Manny has been a fighter since day one. First, it was fighting to survive in a world where nothing came easy. It was a fight to provide for his family. Then it became a fight inside the ring, where he began to inspire people all over the world. Now, he fights for those less fortunate and is on a mission to spread hope around the world as he inspires people from all over to join him in this fight. This mission is carried out through building homes, schools, education, and providing a better life to those who need it most.
+
+
+
+ https://staging.giveth.io/project/Move-for-Hunger-Inc
+ Move for Hunger, Inc
+ Move For Hunger is a national non-profit organization that has created a sustainable way to reduce food waste and fight hunger. We have mobilized the leaders of moving, relocation, and multi-family industries to provide their customers, clients, and residents with the opportunity to donate their food when they move. Members of Move For Hunger also organize community food drives, participate in awareness campaigns, and create employee engagement programs.
+
+
+
+ https://staging.giveth.io/project/Moynihan-Scholarship-Fund
+ Moynihan Scholarship Fund
+ Moynihan Scholarship Fund (“MSF”) supports the education and development of students in New York State and facilitates their exposure to accounting and business careers.
+
+
+
+ https://staging.giveth.io/project/My-Place-Teen-Center
+ My Place Teen Center
+ My Place Teen Center provides a haven for youth ages 10 – 18, sustaining them with comfort, meals, resources, and hope. <br>We are an impactful and energetic southern Maine teen oasis that supports the needs of youth, families, and our communities. Two decades of data show that our programs: <br>• Accelerate students’ learning gains <br>• Engage youth in learning and boost school attendance<br>• Support social and emotional development<br>• Prevent youth violence<br>• Boost on-time graduation<br>Why MPTC Matters: <br>If the pandemic has taught us anything, Maine youth are suffering and trying to cope with feelings of helplessness, depression, and thoughts of suicide. The 2021 Maine Integrated Youth Health Survey showed that 45% of middle and 49% of high school students did not feel they mattered in their community. According to the same survey, 20% of middle and 18.5% of high school students seriously considered suicide. <br>Program Domains: <br>Emotional health and well-being, job skills, civic engagement, life skills, and youth leadership.
+
+
+
+ https://staging.giveth.io/project/Kingdom-City-Church
+ Kingdom City Church
+ Kingdomcity is a non-denominational, multi-site Christian church in multiple locations around the world. Originally based in Kuala Lumpur, Malaysia, before it expanded to Perth in Western Australia, Kingdomcity now also has locations in Africa, the Middle East, Europe, and many other nations in Asia.
+
+
+
+ https://staging.giveth.io/project/ZOE-LA
+ ZOE LA
+ Welcome to Zoe Church! Our hope is that you find community, hope, and encouragement. God gave us the vision to move to LA from Seattle, Washington to start a church in 2014, so we packed up our 2 kids (we’ve added 2 more to the bunch since then…) and moved to Los Angeles. We began meeting in our living room, have met in over 40 locations since then, and are ecstatic to say we purchased our first Zoe Building in 2022! Were here to love the people of LA and tell them about the abundant life found in Jesus. We believe the city of Los Angeles is not too far gone, and that God can change the landscape to be one of faith! The best is yet to comebr><br>br>Love, Pastor Chad & Pastor Julia
+
+
+
+ https://staging.giveth.io/project/Skateistan
+ Skateistan
+ We are a non-profit organization which empowers children through skateboarding and education. By combining skateboarding with creative, arts-based education, we give children the opportunity to become leaders for a better world. Our focus is on groups who are often excluded from sports and educational opportunities, especially girls, children living with disabilities and those from low-income backgrounds.
+
+
+
+ https://staging.giveth.io/project/Junior-Achievement-Of-Northern-California-Inc
+ Junior Achievement Of Northern California, Inc
+ Junior Achievement’s mission is to inspire and prepare young people to succeed in a global economy. Anchored in our three pillars of financial literacy, workforce readiness, and entrepreneurship, we provide K-12 programming that is designed to help students connect their education to their future careers, planting seeds of what they can be, and instilling in them the skills and confidence they need to be successful.
+
+
+
+ https://staging.giveth.io/project/FNE-International
+ FNE International
+ FNE International (Facilitate, Network, Empower) is a 501(c)3 organization that partners with communities in developing nations to improve housing, health, and education.<br><br>By Facilitating collaboration and Networking with local and international organizations, we Empower individuals to become engaged in their community and the world.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Taller-de-Proyectos-e-Investigaciones-de-Habitat-Urbano-Rural-Red-Habitat
+ Asociacion Taller de Proyectos e Investigaciones de Habitat Urbano Rural Red Habitat
+ Our goal as an institution, is to be an ally of the excluded urban population, generating inclusive, democratic, participatory, sustainable, gender-equitable, and generational proposals for the promotion and realization of the rights to the city, housing, and habitat.
+
+
+
+ https://staging.giveth.io/project/TELL
+ TELL
+ TELL is dedicated to providing effective support and counseling services to Japans international community and its increasing mental health needs.
+
+
+
+ https://staging.giveth.io/project/University-of-Oregon-Foundation
+ University of Oregon Foundation
+ The UO Foundation supports the mission of the University of Oregon by receiving, managing, and disbursing private gifts given to the University. As a charitable 501c3 organization, the UO Foundation maximizes private gifts for the Universitys benefit in accordance donor intent. These private gifts support student scholarships, faculty and research support, other programmatic and operational support, as well as facilities and equipment.
+
+
+
+ https://staging.giveth.io/project/Environmental-Camps-for-Conservation-Awareness
+ Environmental Camps for Conservation Awareness
+ 1. ECCA will be a Model Professional Volunteer Organization (PVO) dedicated towards natural resources management<br>2. ECCA will organize programs so as to secure childrens sound ecological future<br>3. ECCA will support the development of conservation related entrepreneurship
+
+
+
+ https://staging.giveth.io/project/LAVA-Inc
+ LAVA, Inc
+ LAVA, Inc. is a strong defender of women, children, minorities, seniors, the homeless, and the most vulnerable among us. LAVA, Inc. is committed to providing more opportunities to those in need.
+
+
+
+ https://staging.giveth.io/project/Vermont-Studio-Center-Inc
+ Vermont Studio Center Inc
+ The Vermont Studio Centers mission is to support artists and writers by providing studio residencies in an inclusive, international community, honoring creative work as the communication of spirit through form.
+
+
+
+ https://staging.giveth.io/project/Morningday-Community-Solutions
+ Morningday Community Solutions
+ Morningday Community Solutions serves local nonprofits by providing essential products for free or at a deep discount. Morningdays work enables millions of dollars each year to be invested back into vital community programs, while greatly reducing the environmental burden of retail waste.<br><br>Since 2010, Morningday warehouses have helped more than 600 nonprofits in Miami Dade, Broward and Palm Beach Counties to save more than eight million dollars. More than 400 tons of product are diverted from landfills each year.
+
+
+
+ https://staging.giveth.io/project/Generation-Hope
+ Generation Hope
+ To ensure all student parents have the opportunities to succeed, experience economic mobility, and build wealth, Generation Hope engages education and policy partners to drive systemic change and provides direct support to teen parents in college as well as their children through holistic, two-generation programming.
+
+
+
+ https://staging.giveth.io/project/Bel-Inizio
+ Bel Inizio
+ Bel Inizio helps disadvantaged women develop self-confidence and life skills through fitness and nutrition education. Bel Inizio, which means Beautiful Beginning in Italian, works working with women in recovery from abuse and addiction, who are living in transitional housing or those that have recently left and have reentered society. Our clients are in recovery, may have criminal backgrounds and all have children. They have resources available in their shelters, but few provide the direct empowerment model provided by Bel Inizio to build their self-esteem but training for, and completing their first 5K race.
+
+
+
+ https://staging.giveth.io/project/Develop-for-Good
+ Develop for Good
+ Develop for Good is a 501(c)3 nonprofit that supports teams of diverse college students as they work on tech projects under professional mentors for other nonprofits. We offer underserved and underrepresented college students opportunities to gain technical, collaborative project experience, all while creating real-world social impact. Our mission is to accelerate the careers of the next generation of diverse leaders in technology through meaningful, hands-on work.
+
+
+
+ https://staging.giveth.io/project/Graham-Windham
+ Graham Windham
+ In full partnership with families and communities, Graham Windham strives to make a life-altering difference with children, youth and families who are overcoming some of life’s most difficult challenges and obstacles, by helping to build a strong foundation for life: a safe, loving, permanent family and the opportunity and preparation to thrive in school and in the world.
+
+
+
+ https://staging.giveth.io/project/York-Street-Project
+ York Street Project
+ York Street Project is a weaving of holistic programs which provide an environment to shelter, feed, educate and promote the healing of persons in need, especially women, children, and families.
+
+
+
+ https://staging.giveth.io/project/Central-Michigan-University
+ Central Michigan University
+ Central Michigan Universitys Mission Statement:<br><br>At Central Michigan University, we are a community committed to the pursuit of knowledge, wisdom, discovery, and creativity. We provide student-centered education and foster personal and intellectual growth to prepare students for productive careers, meaningful lives, and responsible citizenship in a global society.<br><br>Central Michigan University Division of Advancements Mission Statement:<br><br>Advancement at Central Michigan University will empower and engage alumni and friends to build a lasting legacy of philanthropy and service that makes a positive difference in the lives of our students, alumni and friends.
+
+
+
+ https://staging.giveth.io/project/Womens-Action-Against-Climate-Change-Association
+ Womens Action Against Climate Change Association
+ 1. To empower women and their families by the pursuit of local social development initiatives and rural improvement.<br><br>2. To provide social services to the members and their families in the areas of livelihood development, processing and marketing of farm products, community savings, home economics and sustainable agriculture.<br><br>3. To advocate for the promotion of womens rights and women empowerment.<br><br>4. To link with other organizations, networks and entities with similar goals and objectives with the organization.
+
+
+
+ https://staging.giveth.io/project/Stowarzyszenie-Grupa-Stonewall
+ Stowarzyszenie Grupa Stonewall
+ The Stonewall Group is the largest organization fighting for the rights of LGBT+ people in the Wielkopolska region. The Group has been active since 2015 in the following areas: advocacy, education, help/intervention, culture, and healthcare. The Group comprises 41 members and around 50 volunteers cooperate with us. The board comprises five members. Each of them is responsible for a few areas of activity.<br><br>Our flagship activity is the Poznan Pride Week festival (we organized a few hundred events in the course of five editions of the festival), which culminated in the Equality March (13,000 people participated in 2019). We help LGBT+ people and their families. For four years now, we have been co-operating with six therapists holding psychological consultations which have been provided for around 200 individuals now. We run five support groups for: youth, transgender people, families of LGBT+ people, bisexual people, and LGBT+ people from Ukraine. We provide legal help for LGBT+ people, who are often victims of hate crimes (the legal help is also partially financed by municipal grants); since 2016 we have provided a few hundred hours of support in total, which also consisted in representing a client. We organize many cultural activities: produce concerts, theatre plays, and organize meetings with authors. We are also active in the area of healthcare - thanks to the grant from the city of Poznan, we are organizing a training project for therapists about so-called ChemSex. In 2019, we were commissioned by Panstwowy Zakad Higieny (State Institute of Hygiene) to conduct research about ChemSex. We provide free testing for HIV, syphilis, and HCV. We train companies about antidiscrimination (e.g., Allegro, Franklin Templeton). In 2019, we organized the first edition of Letnia Akademia Rownosci (Summer Equality Academy) - we visited seven cities in Poland, combating harmful stereotypes about LGBT+ people (funded by Sprite).<br><br>We conduct business activity - we manage the bar Lokum Stonewall bar which has become not only a meeting place for the Poznan LGBT+ community, but also the main stage of Polish queer culture for such events like weekly drag queen performances. The bar also boosts our visibility - it is located on the main pedestrian street in the center of Poznan (facebook.com/LokumStonewall). What is more, as a part of our business activities, we run an online shop (outandproud.pl) and organize trainings for companies.
+
+
+
+ https://staging.giveth.io/project/Universal-Promise
+ Universal Promise
+ In South Africa, we provide individuals and institutions in underserved regions with the academic resources needed to ensure educational and career opportunities that will promote just, civil, and hopeful societies.
+
+
+
+ https://staging.giveth.io/project/Ali-Forney-Center
+ Ali Forney Center
+ The Ali Forney Center was founded in 2002 in memory of Ali Forney, a homeless gender-nonconforming youth who was forced to live on the streets, where they were tragically murdered. Committed to saving the lives of LGBTQ+ young people, our mission is to protect them from the harms of homelessness and empower them with the tools needed to live independently.
+
+
+
+ https://staging.giveth.io/project/Active-Minds-Inc
+ Active Minds, Inc
+ Active Minds (activeminds.org) is the nation’s leading nonprofit organization promoting mental health awareness and education for young adults. Through award-winning programs and services, Active Minds is empowering a new generation to speak openly, act courageously, and change the conversation about mental health for everyone.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Conservation-Network
+ Wildlife Conservation Network
+ Wildlife Conservation Network (WCN) protects endangered wildlife by supporting conservationists who ensure wildlife and people coexist and thrive.
+
+
+
+ https://staging.giveth.io/project/San-Diego-Oasis
+ San Diego Oasis
+ An award-winning nonprofit that provides engagement and learning for older adults/seniors to thrive. Provides over 3,000 online or in-person lifelong learning classes that include technology, finance, health & wellness, exercise & dance, history and humanities and so much more. Also offers intergenerational tutoring program matching at risk, low income elementary school students with seniors who mentor, one-on-one for a school year.
+
+
+
+ https://staging.giveth.io/project/Youth-for-European-Society
+ Youth for European Society
+
+
+
+
+ https://staging.giveth.io/project/Welfare-for-Animals-Guild-Rwanda
+ Welfare for Animals Guild Rwanda
+ WAG-Rwandas mission is to improve the health and welfare of domestic animals, specifically dogs, in Rwanda. WAG began in 2014 as a grassroots initiative to help stray dogs in Rwanda find homes. Using foster care homes and a recently established small shelter space, WAG dogs receive food, veterinary care, love and socialization until they are adopted. At the core of our projects mission is that every dog, regardless of age, breed or sex receives equal investment of resources and care. In addition to rescuing, rehabilitating and rehoming street dogs, WAG provides emergency assistance to dogs in crisis (severe injuries, rescue from abusive situations etc). We also play a role in advocating for animal welfare, support spay and neuters, vaccinate against rabies and serve as a valuable resource to dog owners. WAG is run by volunteers, and employs one full-time and one part-time shelter staff members to care for our dogs. <br> <br>Alongside our core activities of rescuing, rehabilitating and rehoming street dogs, we are involved in conducting research and working with stakeholders in rabies elimination and humane reduction of street dog population. We are currently running a research project mapping the dog population and demographics in one district in Kigali, funded by the Royal Society of Hygiene and Tropical Medicine. This is with the aim of producing the first research on dog demographics in Rwanda and creating a tool for dog enumeration across Rwanda. WAG is also represented on Rwandas National Rabies Elimination Technical Working Group, with the Government of Rwanda and World Health Organisation. Despite being a relatively small project, we are currently the only organisation exclusively working with dogs in the country. Our work is based in Rwandas capital city, Kigali.<br><br>Three recent notable achievements include: <br><br>Opening a pilot dog shelter: After acquiring official NGO status and government support of the project, WAG opened a pilot dog shelter in December 2020. This shelter is the first of its kind in the country. This space has allowed us to expand our rescue efforts by providing a temporary landing spot to dogs prior to placement in foster homes, some right to adoption. It can also host up to 20 dogs who may need additional support. The dogs housed at the shelter have been thriving and we have plans to replicate this project on a larger scale within the next 5 years. <br><br>Rehoming: In the last 3 years WAG has rehomed 176 rescue dogs with loving, permanent families. These dogs were stray or abandoned with varying degrees of health or behavioural challenges prior to rescue. They have all been spayed / neutered and vaccinated. Of note, these stats were impacted by COVID 19, with no adoptions able to take place between March - June of 2020 and again in December - February 2021 due to public health guidelines. <br><br>Promotion of humane dog population control and responsible dog ownership to key stakeholders: WAG presented at the first Annual Conference of Veterinary Doctors in Rwanda, run by the Ministry of Agriculture and Animal Resources and the Rwanda Council of Veterinary Doctors, on the topic of the Rescue, Rehabilitate and Rehome model to humanely reduce dog populations in Rwanda. This has since led to WAG being part of the Rwanda National Rabies Elimination Technical Working Group, where WAG advocates for sustainable and humane dog population control and the role of responsible dog ownership in policy to improve dog welfare, human-dog relationships and reduce human-dog conflict. WAG is in early-stage talks with the Government of Rwanda stakeholders and World Health Organisation in ways forward to support the government in rabies elimination and stray dog population management by expanding our model both in and outside Kigali.<br><br>Now we are successfully operating our pilot shelter, and have support from the Government of Rwanda, we are seeking to expand our fundraising efforts to employ a part-time staff member to oversee adoptions and community engagement which will increase our capacity and ability to help more people and dogs. We are looking for more sustainable ways to guaranteed funding to allow us to do this, as well as expand our work into conducting vaccination and sterilisation projects in the community, which has the strong support from the local government but requires funding.
+
+
+
+ https://staging.giveth.io/project/Imkaan-Welfare-Organisation
+ Imkaan Welfare Organisation
+ No childs life shall be curtailed by the circumstances of his or her birth because each one deserves absolute love and infinite opportunity to grow"<br><br>Established in 2012, our fundamental purpose is to deliver those without means into this world safely and render them to a loving family securely. To provide and ensure quality healthcare, education, and recreation to all children, is our broader initiative. We have due to the support of donor organizations made progress by leaps and bounds. Our presence in Machar Colony has helped the community in providing them with services that are the basic right of every individual. <br>Following are the projects that we have initiated in Machar Colony:<br>1. Khel- A learning and rereational centre for children in Machar colony, which solely focus on providing a learning space, a play area and a secure environment for children who work at night in shrimp peeling factories and are found gambling or aimlessly roaming the streets in the day time.<br>2. Sehat Ghar- a maternal and child health clinic under the name Sehat Ghar and since its inception in 2014 has treated 45,000+ patients for Hepatitis B and C, tuberculosis, water-borne diseases, scabies, respiratory disorders and diabetes. Our program is working with expectant mothers and newborn children and is enabling the community through various medical camps in order to make informed decisions regarding health, family planning and child birth. The three room clinic has an ultrasound facility and a running labor room for expectant mothers. <br>3. Pasban-e-Mauhal- An environmentally friendly initiative focusing on solid waste management and waste disposal. A garbage loader and two sanitary workers have been assigned under this project which go door-to-door and collect waste. <br>4. Imkaan Ghar- A shelter for abandoned babies. Imkaan Ghar shelters babies that are rescued and are provided healthcare and a safe home until adopted by forever families.
+
+
+
+ https://staging.giveth.io/project/Riders-for-Health-Nigeria
+ Riders for Health Nigeria
+
+
+
+
+ https://staging.giveth.io/project/Giving-Tuesday-Inc
+ Giving Tuesday Inc
+ GivingTuesday is a Movement that Unleashes the Power of Radical Generosity Around the World.<br>GivingTuesday reimagines a world built upon shared humanity and generosity.
+
+
+
+ https://staging.giveth.io/project/The-Teen-Project-Inc
+ The Teen Project, Inc
+ The mission of the Teen Project is to provide healing and hope to young women who have survived human trafficking and homelessness, many from foster care, by innovating programs focused on drug treatment, psychotherapy, life skills, higher education and mentoring all with a trauma-informed lens.
+
+
+
+ https://staging.giveth.io/project/Wounded-Warriors
+ Wounded Warriors
+ At Wounded Warriors dba Warriors Fund, our mission is to empower veterans through local community groups, businesses, and collaborative activities. We foster a strong support network that enables veterans to achieve stability and success. By partnering exclusively with like-minded organizations, we amplify our impact, ensuring no veteran is left behind. Together, we honor our veterans service, sacrifices, and help them build a brighter future.
+
+
+
+ https://staging.giveth.io/project/Great-River-Childrens-Museum
+ Great River Childrens Museum
+ GRCM shines a bright light on the power of play to spark children’s learning,<br>strengthen families, and build community connections. Its dynamic,<br>interactive environments and experiences are a gateway to the world and its<br>people for children and families of all backgrounds.
+
+
+
+ https://staging.giveth.io/project/The-Island-Foundation
+ The Island Foundation
+ To transform education for Riaus island communities by creating a self-sustaining learning model for children, focused on critical thinking, confidence building and collaboration, in partnership with local communities.
+
+
+
+ https://staging.giveth.io/project/National-Breast-Cancer-Foundation-Inc
+ National Breast Cancer Foundation, Inc
+ We provide help and inspire hope to those affected by breast cancer through early detection, education, and support services.
+
+
+
+ https://staging.giveth.io/project/Austin-Habitat-for-Humanity
+ Austin Habitat for Humanity
+ Seeking to put God’s love into action, Austin Habitat for Humanity brings people together to build homes, communities and hope.
+
+
+
+ https://staging.giveth.io/project/Animal-Aid-Unlimited
+ Animal Aid Unlimited
+ Our mission is to rescue and treat the un-owned street animals of Udaipur (Rajasthan, India) who have become ill or injured, and through their rescue inspire a community to protect and defend the lives of all animals.
+
+
+
+ https://staging.giveth.io/project/Central-Texas-Food-Bank-Inc
+ Central Texas Food Bank, Inc
+ The mission of the Central Texas Food Bank is to nourish hungry people and lead the community in the fight against hunger. Serving 21 counties in Central Texas, we work with roughly 300 partners including food pantries, soup kitchens, after-school programs and other service sites to ensure everyone in our community has access to nutritious food.
+
+
+
+ https://staging.giveth.io/project/Hoedspruit-Elephant-Rehabilitation-Development
+ Hoedspruit Elephant Rehabilitation Development
+ The HERD (Hoedspruit Elephant Rehabilitation and Development) TRUST was established in 2021 following a 24-year journey in caring for elephants that have been displaced or orphaned due to human-elephant conflict.<br><br>With the growing numbers of orphans and displaced elephant calves in recent years, due to rampant poaching of elephant mothers as well as human-elephant conflict, Adine Roode, HERD Founder, took the step to build an elephant orphanage in South Africa, to provide an adoptive family structure for calves in need.<br>The HERD Orphanage was built in 2019 in response to a growing number of young orphaned elephant calves that need a place of rehabilitation and more importantly, an existing herd that will accept them unconditionally.<br><br>The Jabulani Herd is now a family of 16 elephants, of which 11 are orphans and five that were born to the herd over 10 years ago. In 2004 the lodge, Jabulani, was built to sustain the herd, with proceeds from tourism assisting with the care and management of the rescued herd.<br>In 2021 a decision was made to move the Jabulani herd and the HERD Homestead operations (formally known as the Jabulani stables) together with the HERD Orphanage, under the umbrella of the HERD Trust which is a registered PBO Number 930072153. This allows for public funding to ensure the well-being of all the elephants.<br><br>The HERD Trust also commits to being active within our local communities through education and awareness, as well as our online communities, bringing a global audience together to educate a larger audience about the elephant species and the essential conservation efforts undertaken by various organisations around the world.<br><br>It is our mission through HERD (Hoedspruit Elephant Rehabilitation and Development), South Africas first and only dedicated elephant orphanage, to rehabilitate orphaned elephants from the traumatic or near-fatal challenges that have caused them to be abandoned. It is our mission to give them a second chance of life with a herd, as the social and complex nature of the species requires that they live within a herd for their own wellbeing. <br><br>Our objectives are to provide a safe rehabilitation alternative for elephant orphans that prioritises the long-term well-being of the elephants. To establish a strategy and long-term plan for elephant rehabilitation through rewilding that includes ways to mitigate the long-term chronic stress of releasing elephants directly into the wild when, as orphans, they dont have a proper social structure. The focus is on building the orphans ability to deal with a wild system independently, in such a way that allows them to develop that capacity at a reasonable pace, and within a stable and nurturing system. Thus, the rewilding of captive elephants that takes elephant biology and local context into account. <br><br>Our principals underpinning the approach:<br>a. Emphasis and focus on the rehabilitation and rewilding as both short and long-term objectives, that considers the social and sentient nature of elephants, their longevity, and the need for their learning and social development to take place in a protective, nurturing, and safe context and environment. <br>b. Take into account the importance of social learning, bonding, and role building for orphans by creating a novel system of responsibly wilding or reintegrating elephants.<br>c. It is unethical to simply release orphans into the wild without the opportunity for them to develop a robust social decision-making and behavioural system, within a structured support system, that people can, and have the obligation to, provide.<br>d. Creating sustainable wellbeing for orphan elephants, responsible and transparent mechanisms to support direct costs attached to handraising and caring of elephants, and the herd into which they will be introduced, and which is engaged with broader society.<br>e. Run an ethical, accredited, and credible operation, with a fully constituted ethics committee, and with an advisory committee with the appropriate expertise. <br>f. Recognize the existence value of elephants for broader society, and to take on the custodianship role (all animals are under the custodianship of all people), on behalf of broader society, so that people know that animals are being protected and supported in an ethical way that gives people a sense of humaneness and humanity - this is one of our global values. <br>g. Based on a long-term strategy for rewilding of orphan elephants that enhances wellbeing, and takes into consideration their longevity, and the long-term responsibility that we collectively have as a society to caring for orphaned elephants through their entire lifetime. <br>h. Enhance and expand the contribution of elephants to human social and economic development, and human livelihoods and wellbeing, especially in the local region. <br>i. Not causing unnecessary suffering or harm; <br>j. There is no breeding of captive elephants. <br>k. New orphans increase the wellbeing of the Jabulani elephant herd by improving the social structure of the herd, and providing the conditions for natural social interactions and processes. <br>l. Introduction of calves can play a positive role in the emotional wellbeing and behaviour of the Jabulani herd, and the herd provides the most humane mechanism to reintegrate orphans into elephant society that is available.<br>m. There is no promoting the removal of any babies from the wild. <br>n. It is not the first choice to have captive elephants, and we understand the risks posed by the complex social nature of elephants.<br>o. There are clear specific criteria for taking orphans for rehabilitation, such as when orphans are the direct consequence of human interference and human created problems, such as poaching. <br>p. Elephants are only accepted as a results of confiscation, donation, or rescue and approved by, official government agencies. All orphans accepted are properly permitted. <br>q. We do not promote, base, or drive the operation on creating a market for orphans. Orphans are accepted in the interests of the orphans, as such, and not to have any resale value. <br>r. The Jabulani herd was rescued from a perilous situation, and are being provided with a protected and comfortable environment, that meets their biological and social requirements within the limitations of a previously tamed herd. <br>s. The commitment to the Jabulani herd is to ensure their wellbeing for their natural lives.
+
+
+
+ https://staging.giveth.io/project/Oregon-Humane-Society
+ Oregon Humane Society
+ Create a more humane society.
+
+
+
+ https://staging.giveth.io/project/Proeducacion-IAP
+ Proeducacion IAP
+ Our mission is to improve the quality of education that children recieve in public elementary schools in Mexico through the integral development of the school community.
+
+
+
+ https://staging.giveth.io/project/WOMEN-AT-RISK-INTERNATIONAL-FOUNDATION
+ WOMEN AT RISK INTERNATIONAL FOUNDATION
+ WARIF aims to raise global awareness and advocate against the growing prevalence of gender based violence, sexual abuse, rape and human trafficking amongst women and girls of all ages in Nigeria.
+
+
+
+ https://staging.giveth.io/project/Christ-Greenfield
+ Christ Greenfield
+ The Christ Greenfield family of ministries exists to multiply disciples who discover their purpose, develop their gifting, and deploy their calling, to be the light of Christ in places of overt and covert darkness, resulting in holistic Gospel renewal and revival.
+
+
+
+ https://staging.giveth.io/project/Fundacion-ProEmpleo-Productivo-AC
+ Fundacion ProEmpleo Productivo AC
+ To sponsor and encourage people willing to have a better personal and productive life by reinforcing job creation, self-employment, and enterprise creation and development, through training and consulting efforts.
+
+
+
+ https://staging.giveth.io/project/Kessler-Foundation
+ Kessler Foundation
+ With the support of our donors, Kessler Foundation drives positive change for adults and children with disabilities. We conduct groundbreaking rehabilitation and disability employment research and fund initiatives to provide access to job opportunities. Kessler Foundation researchers seek new ways to improve mobility, cognition, and employment for people with disabilities caused by chronic neurological and musculoskeletal conditions. Our grantmaking helps people with disabilities find meaningful work and gain independence.
+
+
+
+ https://staging.giveth.io/project/Mannahouse-Church
+ Mannahouse Church
+ Our church values are just part of what makes our church special;<br><br>WE ARE PASSIONATELY IN LOVE WITH JESUS<br>We believe that Jesus is the center of everything and our ambition is to value Jesus and His Kingdom above all else. Our desire is to grow in our personal relationship with him, receiving and responding to His love.<br><br>WE ARE DIRECTED BY GOD’S WORD<br>We believe that the Bible is the Word of God—without error, written by men under the inspiration of the Holy Spirit, and having supreme authority in all matters of faith and conduct. God’s Word is absolutely trustworthy and guides all we believe and do.<br><br>WE ARE EMPOWERED BY THE HOLY SPIRIT<br>We believe the Holy Spirit works in us to conform us to the image of Christ and to display God’s wisdom and glory to the world. We cannot do anything apart from the power of God’s Holy Spirit working in us to remind us of all that Jesus taught, to confirm to our spirit that we are God’s children, to convict us of sin, encourage obedience, bear good fruit in our lives, and empower our witness.<br><br>WE ARE RELENTLESS IN MISSION<br>Our mission is to see the earth filled with the knowledge of the glory of God so that everyone would know, love, and obey Him. Until Jesus returns, everything we do is committed to the aim of glorifying God by taking the gospel of Jesus Christ to people from every tongue, tribe, and nation.<br><br>WE ARE DEVOTED TO EQUIPPING DISCIPLES<br>We believe that every member of the body of Christ should serve Jesus well with the gifts they have been given. We equip believers as we pursue seeing people from all walks of life and from every race restored to right knowledge, affections, and actions, united in faith and maturing into the image of Christ.<br><br>WE ARE PASSIONATE ABOUT REACHING PEOPLE EVERYWHERE<br>God has provided the means to heal our broken world through the person and work of Jesus. Reaching people everywhere means that we aim to love people from every culture, building relationships, proclaiming the good news with those around us, with those unlike us, and those around the world.<br><br>WE ARE COMMITTED TO BRIDGE BUILDING<br>We are a diverse church family representing people from different races and ethnicities who are committed to building bridges, standing against racial prejudice, injustice and inequality, seeking reconciliation and unity, and demonstrating our faith with compassion and empathy to all.”<br><br>WE ARE INTENTIONAL ABOUT BUILDING COVENANT COMMUNITY<br>We are committed to building a covenant community where people are valued, loved and treated equally. We believe we need each other for love and support on our journey, to obey all that Jesus commanded, and to remain faithful to Him.<br><br>WE ARE COURAGEOUS IN GIVING<br>Jesus is our greatest example of giving and generosity. As we faithfully and sacrificially give of our time, talents and resources, we partner with God to see a multiplied impact in the lives of our church family, people in our community and around the world.
+
+
+
+ https://staging.giveth.io/project/The-Dream-Institute-Inc
+ The Dream Institute, Inc
+ The Dream City Foundation exists to help people reach their dreams through outreach, the arts, and education.
+
+
+
+ https://staging.giveth.io/project/Bowery-Residents-Committee-(BRC)
+ Bowery Residents Committee (BRC)
+ BRC recognizes that the effort to end homelessness requires more than passion and experience, but also a sense of organizational responsibility and the strength to manage professionally. In the nearly 50 years that BRC has provided housing and treatment services to homeless adults in New York City, we have demonstrated continuing expertise in developing and delivering services with efficiency and positive outcomes.
+
+
+
+ https://staging.giveth.io/project/Easter-Seals-Inc
+ Easter Seals, Inc
+ Easterseals is leading the way to full equity, inclusion, and access through life-changing disability and community services.<br><br>For more than 100 years, we have worked tirelessly with our partners to enhance quality of life and expand local access to healthcare, education, and employment opportunities. And we won’t rest until every one of us is valued, respected, and accepted.<br><br>Through our national network of affiliates, Easterseals provides essential services and on-the-ground supports to more than 1.5 million people each year — from early childhood programs for the critical first five years, to autism services, to medical rehabilitation and employment programs, to veterans’ services, and more. Our public education, policy, and advocacy initiatives positively shape perceptions and address the urgent and evolving needs of the one in four Americans living with disabilities today.<br><br>Together, we’re empowering people with disabilities, families and communities to be full and equal participants in society.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Foundation-International
+ Make-A-Wish Foundation International
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/Alan-Duff-Charitable-Foundation
+ Alan Duff Charitable Foundation
+
+
+
+
+ https://staging.giveth.io/project/Institute-of-Contemporary-Art-Miami-Inc
+ Institute of Contemporary Art, Miami, Inc
+ The Institute of Contemporary Art, Miami (ICA Miami), is dedicated to<br>promoting the work of contemporary artists, and to the exchange of art<br>and ideas throughout the Miami region and internationally. Through an<br>energetic calendar of exhibitions and programs, and its collections, ICA<br>Miami provides an international platform for the work of established and<br>emerging artists, and advances the public appreciation and understanding<br>of the most innovative and experimental art of our time.
+
+
+
+ https://staging.giveth.io/project/Empower-Develop-Dignify-(EDD)
+ Empower Develop Dignify (EDD)
+ EDD mission: "We transform the lives of former Rwandan street children by providing them with education and life skills, and assist them to become valuable members of society.
+
+
+
+ https://staging.giveth.io/project/Food-Brigade-Inc
+ Food Brigade Inc
+ The mission of The Food Brigade is to ensure that no child or adult in New Jersey goes hungry.
+
+Our primary service is to provide food, whether in the form of prepared meals or fresh and packaged foods, to families and individuals in need.
+
+We accomplish our mission by building and operating a network of providers and volunteers who assist in the acquisition, transport, preparation, distribution, and delivery of meals and food to those in need.
+
+Our focus is on reaching those who "fall through the cracks" in existing services.
+
+Our guiding principle is compassion for our fellow man.
+
+
+
+ https://staging.giveth.io/project/Makomborero
+ Makomborero
+ Makomborero (1122176) is a UK based Charity (unincorporated trust) that helps to relieve poverty through education in Zimbabwe, the charity is registered with HMRC for Gift Aid purposes. <br><br>Funds are raised in the UK, largely from individual supporters, albeit the trust also receives some modest donations from donors in USA, Australia, Europe who are connected to the work.<br><br>In order to deliver public benefit the charity partners with an entirely separately governed Zimbabwe registered trust/NGO "Makomborero Zimbabwe" - MZIM which receives grants directly from the UK, and fundraises within Zimbabwe and internationally (a Memorandum of Understanding is in place between the two organisations to support governance/control). At present the UK trust contributes c.50% of the Zimbabwe trusts income and operating costs (total annual budget in Zimbabwe is c.$250k pa)<br><br>The Zimbabwean Trust, Makomborero Zimbabwe, was set up in 2011 by Mark and Laura Albertyn, to provide A-level education to talented students from orphaned and very challenging backgrounds. These students, study their A-levels at our partner private schools, Hellenic, Gateway and St Georges, in Harare. The schools collectively give full tuition scholarships for 16 students each year. We ensure that the students are well provided with academic support, pastoral care and love to fulfil their academic potential and hopefully eventually give back to their own communities. The scholarships are life changing, for the individual students and their families. The purpose of Makomborero Zimbabwe is to provide educational support to academically gifted students who might have otherwise dropped out of school, due to the parents economic hardships or death of a breadwinner in the family. Makomborero provides the financial support and aims to provide a holistic environment for the students to successfully complete their A level education and proceed to tertiary education. The team goes out to 70 - 80 high density and rural schools in Zimbabwe with applications and the students undergo a rigorous testing process. The top 8 students are awarded full scholarships while a further 16 are financially supported through local government schools.
+
+
+
+ https://staging.giveth.io/project/New-Jersey-AIDS-Walk
+ New Jersey AIDS Walk
+ To raise awareness and funds in support of aids service organizations.
+
+
+
+ https://staging.giveth.io/project/Thrive-Ministry
+ Thrive Ministry
+ To journey with women ministering overseas by providing spiritual resources, transformative experiences, and authentic one-on-one relationships to replenish them as they invest in Kingdom work.
+
+
+
+ https://staging.giveth.io/project/St-Mungos
+ St Mungos
+ Our vision is that everyone has a place to call home and can fulfil their hopes and ambitions.<br><br>Our ambition is to end rough sleeping by 2026.
+
+
+
+ https://staging.giveth.io/project/Project-Hawaii
+ Project Hawaii
+ Our mission is to help enhance the lives of homeless children and help them succeed. Providing interactive solutions that help these precious children gain the life skills and self esteem they need to escape their cycle of poverty.
+
+
+
+ https://staging.giveth.io/project/Healing-Our-Heroes-Foundation
+ Healing Our Heroes Foundation
+ NULL
+
+
+
+ https://staging.giveth.io/project/Project-Independence
+ Project Independence
+ Promote civil rights for people with developmental disabilities through services which expand freedom and choice.. Individuals who donate to Project Independence are community members, families and corporations.
+
+
+
+ https://staging.giveth.io/project/The-Nucleo-Project
+ The Nucleo Project
+ Nucleo uses music to transform the lives of over 380 children in West London. The majority of children we support come from North Kensington and North Westminster, disadvantaged neighbourhoods impacted by the Grenfell tragedy.
+
+
+
+ https://staging.giveth.io/project/GO-Church-Inc
+ GO Church, Inc
+ To Love Anyone from Anywhere into a Personal and Growing Relationship with Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Arizona-Coalition-to-End-Sexual-and-Domestic-Violence
+ Arizona Coalition to End Sexual and Domestic Violence
+ To end sexual and domestic violence in Arizona by dismantling oppression and promoting equity among all people.
+
+
+
+ https://staging.giveth.io/project/Presidio-Knolls-School
+ Presidio Knolls School
+ Presidio Knolls School (PKS) is an independent school serving preschool through eighth grade, innovating at the intersection of progressive education and Mandarin immersion.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-Bay-Area
+ Ronald McDonald House Charities - Bay Area
+ To be there for sick kids and their families, providing comfort and support when and where they need it most.
+
+
+
+ https://staging.giveth.io/project/Fruit-Tree-Planting-Foundation
+ Fruit Tree Planting Foundation
+ The Fruit Tree Planting Foundation (FTPF) is an award-winning international nonprofit charity dedicated to planting fruitful trees and plants to alleviate world hunger, combat climate change, strengthen communities, and improve the surrounding air, soil, and water.
+
+
+
+ https://staging.giveth.io/project/Girl-Scouts-of-Northeast-Texas
+ Girl Scouts of Northeast Texas
+ Girl Scouting builds girls of courage, confidence, and character, who make the world a better place.
+
+
+
+ https://staging.giveth.io/project/Waco-Foundation
+ Waco Foundation
+ The mission of Waco Foundation is to promote solutions to community challenges, strengthen local nonprofits, engage philanthropists and manage charitable assets in order to improve quality of life in McLennan County.
+
+
+
+ https://staging.giveth.io/project/Youth-ALIVE
+ Youth ALIVE
+ To break the cycle of violence and uplift a thriving community of leaders rooted in Oakland and beyond through prevention, intervention,<br>healing and advocacy.
+
+
+
+ https://staging.giveth.io/project/FIKELELA-AIDS-PROJECT
+ FIKELELA AIDS PROJECT
+ To mobilize churches to make a sustained positive contribution to the reduction of the number of new HIV infections, to drive education and care, and to support orphans, in partnership with others.
+
+
+
+ https://staging.giveth.io/project/Imagine-LA
+ Imagine LA
+ Imagine LA is a nonprofit organization that works with families emerging from homelessness and low-income families to end the cycle of family poverty and homelessness, equip families to maintain housing stability, and ensure long-term thriving. Our Family Partnership Model transforms lives through a holistic combination of clinical case management, economic mobility programming, and whole-family mentorship. We served 208 families in 2021 and will serve nearly 300 in 2022. Unpartnered women lead 86% of our families, 84% of families identify as Black, Indigenous, and People of Color, and nearly half of our families live in South LA.
+
+
+
+ https://staging.giveth.io/project/Beverly-Bootstraps
+ Beverly Bootstraps
+ Beverly Bootstraps provides critical resources to families and individuals so they may achieve self-sufficiency. We offer emergency and long-term assistance including: access to food, housing stability, adult and youth programs, education, counseling and advocacy. We are community funded and supported.
+
+
+
+ https://staging.giveth.io/project/International-Development-Enterprises-(iDE)
+ International Development Enterprises (iDE)
+ iDE is a global team of 1,200 changemakers coming from diverse backgrounds within international development and the private sector. What we all have in common is the belief that one entrepreneur can change their community and millions can change the world.<br><br>Our work stands out in the international development arena. We are driven to end poverty but we don’t do simple handouts of supplies or cash. Instead, we believe that everyone has the ability to increase their livelihoods and build long-term resilience by their own accord. They may just need training or connections to suppliers and customers. That’s where we come in and what we mean when we say we are “powering entrepreneurs to end poverty.”
+
+
+
+ https://staging.giveth.io/project/K2011127140-trading-as-PSI-Projects
+ K2011127140 trading as PSI Projects
+ The Paardeberg Sustainability Initiative (later known as PSI) was conceived in 2001, in recognition of threats to the biodiversity and natural resources of the Paardeberg, a privately-owned mountain in the Western Cape, South Africa. A primary threat is economic pressure common to many South African farmers and landowners. Additional and aggravating threats are global climate shifts, poverty, limited statehood, compromised capacity, education and implementation/enforcement of legislation. These challenges must be addressed to fulfill world guidelines (Agenda 21, SDGs, etc) for sustainable development.<br><br>PSI is now a VAT- registered Non Profit company [NPC] and Public Benefit Organisation with Section 18A tax exempt status. It is aligned with several partners which share its vision, and in this sense can be described as collaborative facilitator. Through fundraising for various integrated projects, the PSI seeks to promote sustainability in the Paardeberg locally and also in broader Southern African contexts. The PSI encourages profitable businesses and corporates to contribute generously and tax-efficiently to a central fund that is managed by the Board of Directors of the PSI. These funds are either ring- fenced for specific projects, or allocated to projects requiring support, through a process that seeks to fulfill both the agenda of the donor and the mandate of the PSI.<br><br>The PSI houses both enterprises (SMMEs) and projects. Projects depend on the PSI for funding, while the enterprises represent potential sources of funds/assets for the PSI. The PSI acts as an umbrella offering core functions of administration, marketing, HR management, accounting, etc to all projects and SMMEs, based on an economy of scale. It is thus an ideal incubator to develop new businesses while minimizing risk. <br><br>The vision of the PSI is<br> to create a successful model of sustainable development,<br> promoted by profitable enterprises and non-profitable projects,<br> co-operating in partnerships that oversee responsible management of natural resources and biodiversity ,<br> within an economic framework that obviates the plague of poverty and social decay<br> while upholding the law and supporting good governance.<br><br><br>The PSI has housed several projects, including the Paardeberg Fire Project, Paardeberg Environmental Awareness and Response(ongoing), Paardeberg Alternative Energy Solutions(ongoing), Paardeberg Botanical Surveys, PSI NatReM Project and the Paardeberg Erosion Project. It has also acted as an incubator of SMMEs engaged in these and other projects. All finances are conducted through a central bank account, but independently managed and audited for each project/business separately, as per the PSI MOI. The PSI does not prejudice the independence of enterprises or projects falling within its ambit. However, its role in protecting biodiversity and natural resources influences the directives it generates. Participation of all interested and affected parties is key to the application of these directives.
+
+
+
+ https://staging.giveth.io/project/Animal-Shelter-Inc
+ Animal Shelter, Inc
+ The mission of Animal Shelter Inc. is to operate a no-kill animal shelter with no time or age restrictions. The shelter provides humane sheltering and high quality medical care for stray, unwanted, abused and neglected animals. These animals are sheltered in our facilities and foster homes until they find loving, lifelong homes.
+
+
+
+ https://staging.giveth.io/project/Both-Hands-Foundation
+ Both Hands Foundation
+ To fulfill James 1:27 by serving orphans, widows, and Christian adoptive families.
+
+
+
+ https://staging.giveth.io/project/BLIXT-Locally-Grown
+ BLIXT Locally Grown
+ Once upon a time, two theater artists were traveling through western Nebraska, talking about their dreams. As life-long theater professionals then working at Lied Center for Performing Arts, Becky Boesen and Petra Wahlqvist dreamed of focusing all of their efforts on the following: the development of new works, innovative education and engagement, and creativity-based community development. Most importantly, they wanted to continue to build on a tradition of collaborating to create high-quality theater that helps connect people, creates meaningful conversations, and unleashes community action.
+<br><br>
+They made it back home, gave the Lied Center one years notice, and BLIXT (the Swedish word for "lightning") was born. In 2018 BLIXT received our official designation as a 501c3.
+<br><br>
+Weirdos welcome. Always.
+
+
+
+ https://staging.giveth.io/project/Kawempe-Home-Care
+ Kawempe Home Care
+ To deliver quality healthcare to people with HIV, TB, Cancer and other health related issues through community based holistic care models.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-the-Rockies
+ Food Bank of the Rockies
+ We ignite the power of community to nourish people facing hunger.
+
+
+
+ https://staging.giveth.io/project/SeriousFun-Childrens-Network
+ SeriousFun Childrens Network
+ Our mission is to create opportunities for children and their families to reach beyond serious illness and discover joy, confidence and a new world of possibilities, always free of charge.
+
+
+
+ https://staging.giveth.io/project/Humanity-Rises
+ Humanity Rises
+ Humanity Rises is a refugee humanitarian aid organization focused on the Rohingya crisis in Bangladesh. Our mission is to alleviate genocide-induced Rohingya suffering through medical care and mental health services. The Humanity Rises Medical Clinic has provided critical health services, testing and medication to about 200,000 Rohingya refugees – half of whom are children -- for diseases, illnesses and injuries ranging from third-degree burns, bullet wounds, Covid-19, rape-induced pregnancies, contusions, Diphtheria, Cholera, severe dehydration, chest infections, eye infections and beyond at an average cost of under $5.00 per patient. The Humanity Rises Rehma Child Life Center (HRRCLC) provides education-based pediatric mental health services to Rohingya children who’ve experienced deep genocide-based trauma and is the only learning center in the 6,000-acre Rohingya refugee camp solving for both pediatric mental health and formal education needs in a single solution by having full-time onsite psychologists in the classroom working side-by-side with the teachers.
+
+
+
+ https://staging.giveth.io/project/Mattie-N-Dixon-Community-Cupboard-Inc
+ Mattie N Dixon Community Cupboard, Inc
+ Our mission is to promote the concept of “neighbors helping neighbors”. We achieve this by coordinating the collection of food, groceries, clothing and money for distribution among people in need in our community.<br><br>We strive to strengthen families under stress by providing them with goods and services so they can become more self-sufficient over time.
+
+
+
+ https://staging.giveth.io/project/Ocean-Defenders-Alliance
+ Ocean Defenders Alliance
+ A nonprofit organization founded in 2000, Ocean Defenders Alliance (ODA) uses boats or works from shore to remove man-made debris ranging from every kind of abandoned fishing gear to plastic trash.
+
+
+
+ https://staging.giveth.io/project/The-Chicago-Community-Trust
+ The Chicago Community Trust
+ We’re working to build a Chicago region where equity is central and opportunity and prosperity are in reach for all.
+
+
+
+ https://staging.giveth.io/project/Saint-Joseph-Parenting-Center-Inc
+ Saint Joseph Parenting Center, Inc
+ Saint Joseph Parenting Center (SJPC) is a nonsectarian, 501c-3 registered nonprofit working since 2010 to provide vulnerable families with resources they need to care for their children and provide a safe environment for them to thrive. SJPC has a vision of a world free from child abuse and we advance our mission through a community-based education program focused on needs of parents. Built on a belief that supporting parents is key to protecting children, SJPC provides parent education classes in English and Spanish, relationship skills and employee readiness training, case management and community resource support to help parents change unhealthy parenting patterns and decrease child abuse and neglect.
+
+
+
+ https://staging.giveth.io/project/The-Barstool-Fund
+ The Barstool Fund
+ The Barstool Fund<br>Powered by the 30 Day Fund<br><br>If you are a small business owner in need of help due to the impacts of COVID, please email us your story at barstoolfund@barstoolsports.com.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-Northeast-Arkansas
+ Food Bank of Northeast Arkansas
+ The Food Bank of Northeast Arkansas provides hunger relief to people in need by raising awareness, securing resources, and distributing food through a network of non-profit agencies and programs.
+
+
+
+ https://staging.giveth.io/project/Banco-de-Alimentos-de-Bogota
+ Banco de Alimentos de Bogota
+ To bring together institutions in the academic world, the private sector and the public sector with nonprofit organizations that serve vulnerable populations by collecting, sorting and distributing food, goods and services-donated or purchased-generating synergies by delivering them with responsibility and generosity, to improve the quality of life of the beneficiaries.
+
+
+
+ https://staging.giveth.io/project/Philabundance
+ Philabundance
+ Stemming from the simple belief that no one should go hungry while healthy food goes to waste, Philabundances mission is to drive hunger from our communities today and to end hunger for good. In addition to food distribution, we reduce food waste, increase access to nutritious meals, and tackle the root causes of hunger.
+
+
+
+ https://staging.giveth.io/project/The-Source-LGBT-Center
+ The Source LGBT Center
+ Our mission is to provide spaces within our communities for the LGBTQ+ population to Learn, Grow, Belong, Transform, Question + Support. We cultivate new resources through advocacy, partnerships and fundraising to unite and advance the LGBTQ+ community.
+
+
+
+ https://staging.giveth.io/project/Global-Ahead-Inc
+ Global Ahead, Inc
+ Our mission is to bring hope to people, either by providing the immediate resources they lack or by implementing tools to permanently develop the community in which we are located.
+
+
+
+ https://staging.giveth.io/project/Institute-for-Shipboard-Education-(Semester-at-Sea)
+ Institute for Shipboard Education (Semester at Sea)
+ Journeys of discovery that spark bold solutions to global challenges.
+
+
+
+ https://staging.giveth.io/project/Ubuntu-Partners-Trust
+ Ubuntu Partners Trust
+ Ubuntu Partners Trust exists to promote a community of reconcilation and resource sharing in the Uthukela District of Kwa Zulu Natal. We focus on supporting education and safety for children.
+
+
+
+ https://staging.giveth.io/project/ACTION10
+ ACTION10
+ Action10 is a Swedish non-profit, non-religious and non-political membership organisation operating on a voluntarily basis and with charity funding. The vision of Action10 is a world free from extreme poverty, where everyone has access to education, employment, healthcare and social security as well as safe water, food, sanitation and energy. Countries are run by good governance and have sustainable economy. To pursue its vision the mission of Action10 is to be an independent initiative with a broad and flexible mandate to work with stakeholders and partners on projects and programs that address international development. Action10 operates in a sustainable, effective and efficient manner, through its unique strategy SEEDS (Sustainable Effective Efficient Development Strategy) The over-arching value platform of Action10 is that it is the Government at the macro level and the Civil Society Organsisations and the individual extreme poor at the micro level, who are the experts on the actions to be taken, and who have the capacity and knowledge to drive the development processes forward. But that the environment and the infrastructure where they operate hinder the process. The aim of the Action10 approach is therefore to offer support to Governments and to the extreme poor addressing the infrastructural and financial challenges to eradicate extreme poverty. It is the dreams of the extreme poor which is the core of the Action10 approach. Those dreams constitute the vision of each program. The mission is what needs to be done to address these dreams. After having identified the dreams the Action10 approach compiles the challenges that the extreme poor face. Those challenges describe the reasons for why they cannot reach their dreams. We call the compilation of challenges Outcome challenges. Linked to each Outcome challenge is a Progress marker. The purpose of the Progress markers is to enable evaluation planning of the program activities. Thus the Progress markers are well defined indicators which can be easily monitored and assessed. The Outcome Challenges also define the Strategy Map. The Strategy Map is a set of concrete activities that must be addressed to reach the dreams. The concept of Outcome Challenges, Progress Markers and Strategy Map were initially invented by Earl, Carden et al. in 2001 and are components of the Outcome Mapping tool. After the Strategy Map has been defined, a sustainable economy scheme is developed. The Programs are either a social enterprises or components of the national development program. A social enterprise shall generate revenue which covers all program costs, as well as pays company tax in the country of operation. If no revenue can be expected short term, which can be the case with for example basic education or social security programs, then the program is funded as a component of the national authorities development program. A crucial component is also that all partners have strong enough institutional capacity to manage the programs. Each partner are encouraged to annually assess and their own institutional capacity. Action10 is offering tools for the assessment as well as training and coaching on finance administration and accounting. All of the above aspects are, in the Action10 approach, subjected to real-time evaluation planning (EP). Action10 has developed a tool for the EP wich contains five steps. The first measures to what extent the progress markers have been achieved, the second the operational aspects, the third the strategy, the fourth the sustainable economy and the fifth the institutional capacity. The United Nations states that in 2013 1.2 billion people still live in extreme poverty. Extreme poor have been defined by the UN as those people earning an income of less than $ 1.25 per day. UN states that the Millennium Development Goals which were identified and agreed on in year 2000 by 197 heads of states and which were to be achieved in 2015, are far from being reached. The Action10 approach benefits from the lessons learnt from previous international aid programs. Through an analysis of previous aid programs, Ten Actions were identified which, if addressed thoroughly in all development programs, are expected to reduce and eventually eradicate extreme poverty. All the Ten actions are thoroughly captured in all Action10 activities. Our Ten Actions are based on these 10 principles; 1. Needs driven program 2. Equal partnership 3. Real time evaluation planning 4. Strategic partnership 5. Institutional capacity 6. Sustainable economy 7. Quality values 8. Resilience 9. Knowledge sharing 10. Visibility
+
+
+
+ https://staging.giveth.io/project/Philadelphians-Organized-to-Witness-Empower-and-Rebuild-(POWER)
+ Philadelphians Organized to Witness Empower and Rebuild (POWER)
+ POWER uses our faith and moral grounding to organize and empower Pennsylvanians to live and work together so that the presence of the divine is known on every block, that people work together to transform the conditions of their neighborhood, and that life flourishes for all.
+
+
+
+ https://staging.giveth.io/project/Insan-Association
+ Insan Association
+ Insan Association is a Lebanese non-profit organization established in 1998 by a group of Human Rights activists. Insan is independent from any government, political ideology, economic interest or religion, and does not support or oppose any government or political system. We act to protect and promote the rights of the most marginalized individuals, families and children living in Lebanon- such as refugees, migrant workers, asylum seekers and non identities - without any discrimination. The different services and activities of Insan Association reach out to include individuals from different nationalities, cultures, religions and social status. Insans beneficiaries come from different countries such as: Sudan, Iraq, India, Egypt, Jordan, Kurdish Syrians, Philippines, Sri Lanka, Nigeria, Pakistan, Ghana, Bangladesh, originally Lebanese but not registered (non-IDs) and others, all living in Lebanon in very poor and difficult conditions and their children are deprived of most of their basic human rights. Insan pays close attention to children and offers schooling and other kinds of support to underprivileged children, who are neglected by society and suffer from discrimination, extreme poverty or the lack of legal papers. The Insan School accepts migrant children who are otherwise not able to enrol into regular schools as a result of poverty, discrimination, or the lack of appropriate documentation. With its holistic approach Insan does not only provides education but on a case by case basis, offers psychological and social support to the children as well as their parents and families. The organization believes that children have a right to be free from abuses, exploitation and neglect. Children, who benefit from Insans services, face discrimination, insecurity and poverty - their lives can be unstable and chaotic. The organization is therefore committed to creating a secure environment for them. Insan aims to empower these communities to help themselves and take control of their lives. Insan has a rights-based approach. It believes in the principles of human rights and that respect for human rights can create lasting changes in peoples lives and make them reach their full potential by diminishing the causes of poverty and injustice. All of Insans programmes aim towards the integration of its beneficiaries into the Lebanese society in every possible way.
+
+
+
+ https://staging.giveth.io/project/Alliance-for-Safety-and-Justice
+ Alliance for Safety and Justice
+ Alliance for Safety and Justice (ASJ) is transforming our nation’s approach to public safety by replacing over-incarceration with more effective public safety solutions rooted in crime prevention, community health, rehabilitation and support for crime victims. Instead of security for some, we want safety for all.
+
+
+
+ https://staging.giveth.io/project/The-Jewish-Board
+ The Jewish Board
+ The Jewish Board of Family and Children’s Services strengthens families and communities throughout New York City by helping individuals of all backgrounds realize their potential and live as independently as possible.
+
+
+
+ https://staging.giveth.io/project/Lutheran-World-Relief
+ Lutheran World Relief
+ Affirming God’s love for all people, we work with Lutherans and partners around the world to end poverty, injustice and human suffering.
+
+
+
+ https://staging.giveth.io/project/Re:wild
+ Re:wild
+ Re:wild protects and restores the wild to build a thriving Earth where all life flourishes
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-International-Inc
+ Habitat for Humanity International, Inc
+ Seeking to put God’s love into action, Habitat for Humanity brings people together to build homes, communities and hope.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-South-Jersey
+ Food Bank of South Jersey
+ The Food Bank of South Jersey exists to provide an immediate solution to the urgent problem of hunger by providing food to people in need, teaching them to eat nutritiously, and helping them to find sustainable ways to improve their lives.
+
+
+
+ https://staging.giveth.io/project/Sailabilty-Belgium
+ Sailabilty Belgium
+ The motto of Sailabilty Vlaanderen vzw (Sailability) is "Iedereen moet kunnen zeilen"(Everybody should be able to sail)<br>INTRODUCTION<br>In simple terms the objectives of Sailability are to promote the benefits of sailing to people with mental and physical handicaps. This extends to everyone regardless of age, class, gender, ethnicity and physical status including the disadvantaged and those who cannot contribute financially. These latter we will support and will not allow to be excluded on financial grounds. We also welcome able bodied members (usually family members) to encourage and reinforce the integration of disabled people into mainstream activities and society.<br>LOCATIONS<br>We intend to ensure this activity is available in at least one location in each of the five Provinces of Flanders by 2020 and that there are at least 100 active disabled sailors across the Region. Sailability is located at Mol in Antwerp. Disabled sailing in three other locations (Brugges - West Flanders, Vilvoorde - Flemish Brabant, and Gent - East Flanders) will operate in co-operation with regular sailing clubs based at those locations.<br>ROLE OF SAILABILITY IN NEW LOCATIONS<br>Sailability reviews the suitability of the locations and advises on adaptions that might be necessary to ensure accessibility and safety. It will also loan boats and equipment (lifts/trailers) as required. In addition experienced members will train and assist the host clubs. <br>FLEET<br>Our fleet will be 10 boats by March 2016. We expect to be sourcing at least one to two boats each year to support increases in our activities. If resources permit, additional books will be acquired. We will continue to identify and acquire boats that are adapted for disabled people being very stable and unsinkable. <br>ACTIVITIES<br>To date our activities have focused on recreational sailing and to a much lesser degree on competition sailing. Recreational: The recreational sailing will grow mainly at the new locations we have identified and others we are looking into. <br>Competition: More effort will be put into participating in national and international competitions. We will also be expanding National contests based on our work running the Flanders Sailability Cup contests in 2014 and 2015. In these years we have welcomed participants from France, Switzerland, Australia and the Netherlands. We have also taken part in competitions in France and the UK.<br>Rehabilitation: Further into our 2020 Strategic Vision Plan we will start with rehabilitation sailing activities together with Rehabilitation organisations and institutions.<br>Introduction to Sailing: We will continue to offer initiation/introductory sessions to other organisations which support or look after disabled people <br>TRAINING: <br>We will continue to train the sailing monitors and volunteers; we are also going to start a training program to encourage as many G-sailors as possible to have the confidence and ability to sail independently. <br>SHARING ASSETS: <br>We will continue to work with other organisations which encourage disabled people to engage in sports and activities; we will allow them to use our boats to maximize their utilization.<br>GOVERNANCE:<br>Sailability will continue to be managed by a Board of Directors which meets about once a month. It consists of a: - - Chairman, - Vice-Chairman, - Sailing Manager, - Secretary, - Treasurer, Communications and Public Relations Officer, - Competitions Officer. Other members managing special projects attend board meetings as appropriate.<br>A Strategic plan was drawn up for the period 2015-2020.
+
+
+
+ https://staging.giveth.io/project/Fins-Attached-Marine-Research-and-Conservation
+ Fins Attached Marine Research and Conservation
+ To conduct research, promote conservation, and provide education for the protection of the marine ecosystem.
+
+
+
+ https://staging.giveth.io/project/Experience-Camps
+ Experience Camps
+ We give grieving children experiences that change their lives forever.
+
+
+
+ https://staging.giveth.io/project/Chimp-Haven
+ Chimp Haven
+ To provide and promote the best care of sanctuary chimpanzees and inspire action for the species worldwide.
+
+
+
+ https://staging.giveth.io/project/Summit-Creek-Church
+ Summit Creek Church
+ Welcome to Summit Creek Church! We are a Bible-based, non-denominational Christian church located in Eugene, OR. We are a multi-ethnic and multi-generational church made up of babies and children, students and professionals, singles and married couples. Our Sunday service is casual and friendly with meaningful worship music, relevant teaching from the Bible, and a fun kids’ program.
+
+
+
+ https://staging.giveth.io/project/World-Food-Program-USA
+ World Food Program USA
+ Consistent with the mission of the United Nations World Food Programme, World Food Program USA works with U.S. policymakers, corporations, foundations and individuals to help provide financial resources and develop policies needed to alleviate global hunger.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Club-of-Meriden
+ Boys Girls Club of Meriden
+ The Mission of the Boys & Girls Club of Meriden is to enable all young people, especially those who need us most, to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/The-Rahul-Kotak-Foundation
+ The Rahul Kotak Foundation
+ The Rahul Kotak Foundation (RKF) is a grassroots non-profit in Kisumu (Kenya), working to make high quality education accessible to disadvantaged children living in informal settlements and rural areas of Kisumu County.<br><br>RKF achieves this through the implementation of various programs designed collaboratively with local communities to solve the most pressing challenges faced by children within that given community. This helps create robust, sustainable programs that cultivate community ownership of the solutions we implement. <br><br>We implement the following Programs: School Meals Programs, Literacy Program called Kitabu Changu, Haki Yangu (Swahili for My Book, My Right), WASH Programs, Sanitary Pads Program and Environmental Workshops.
+
+
+
+ https://staging.giveth.io/project/Asbury-Woods
+ Asbury Woods
+ The mission of Asbury Woods is to inspire a greater connection to the natural world by protecting, managing, and interpreting our property;providing outdoor recreational opportunities;and offering environmental education experiences.
+
+
+
+ https://staging.giveth.io/project/Global-Liberty-Alliance
+ Global Liberty Alliance
+ The Global Liberty Alliance is a non-government organization based in Alexandria, Virginia. Its mission is to strengthen the rule of law, empower human rights defenders on the front lines of legal and policy battles, and advance the cause of justice. GLA has attorneys in the United States, work with lawyers and civil society leaders in other nations where the rule of law is weak or non-existent. Individuals the world over are denied the right to freely own property, worship as they please or say what they want. We work with lawyers in these places to help change that and raise awareness of the rule of law gap.<br><br>Team members defend persons whose fundamental rights have been violated by authoritarian governments in local courts and international tribunals. We believe local accountability is an essential component of successful rule of law initiatives. For cases arising in foreign nations, we provide local counsel the legal and political support they need to resolve legal and political disputes, locally. We do this, in part, by first working with local counsel to exhaust domestic court options, rather than first advocating in international bodies or tribunals such as the Inter-American Commission for Human Rights, the United Nations Human Rights Council, among others
+
+
+
+ https://staging.giveth.io/project/University-of-British-Columbia
+ University of British Columbia
+ Pursuing excellence in research learning and engagement to foster global citizenship and advance a sustainable and just society across British Columbia Canada and the world.
+
+
+
+ https://staging.giveth.io/project/Alliance-for-Cancer-Gene-Therapy
+ Alliance for Cancer Gene Therapy
+ One vision — a cancer-free future. Unlike surgery, chemotherapy and radiation, cell and gene therapies harness the power of your immune system to destroy cancer cells without harming healthy tissue. We fund the research that will make this vision a reality.
+
+
+
+ https://staging.giveth.io/project/Brain-Inflammation-Collaborative
+ Brain Inflammation Collaborative
+ The mission of the Brain Inflammation Collaborative is to revolutionize the diagnosis and treatment of neuroinflammatory disease through coordinated research that connects patients and researchers through centralized patient data.
+
+
+
+ https://staging.giveth.io/project/Depression-and-Bipolar-Support-Alliance-California
+ Depression and Bipolar Support Alliance California
+ The mission of the Depression and Bipolar Support Alliance California (DBSA California) is to empower people with mood disorders to find community, wellness, and hope while navigating the challenges of a mental health condition.
+
+
+
+ https://staging.giveth.io/project/Food-Finders
+ Food Finders
+ To eliminate hunger and food waste while improving nutrition in food insecure communities.
+
+
+
+ https://staging.giveth.io/project/Montclair-Ambulance-Unit
+ Montclair Ambulance Unit
+ Your donation allows us to restart a stopped heart with CPR and train others to do the same. Plus much more!<br><br>
+We believe in providing professional, responsive, patient-first care and are dedicated to being a community based, industry leading, emergency medical service organization.
+
+
+
+ https://staging.giveth.io/project/The-Center-for-Cultural-Innovation
+ The Center for Cultural Innovation
+ The Center for Cultural Innovation (CCI) was founded in 2001 as a California 501(c)3 nonprofit corporation. Its mission is to support individuals in the arts--artists, culture bearers, and creative entrepreneurs--to realize greater self-determination so as to unfetter their productivity, free expression, and social impact, which contributes to shaping our collective national identity in ways that reflect the diversity of society.
+
+
+
+ https://staging.giveth.io/project/Super-Certification
+ Super Certification
+ Let us help you eliminate single-use plastics. Let us help you to be super.
+
+
+
+ https://staging.giveth.io/project/Grande-Prairie-Friendship-Centre
+ Grande Prairie Friendship Centre
+
+
+
+
+ https://staging.giveth.io/project/SEMA-INSANI-VE-TIBBI-YARDIM-DERNEGI
+ SEMA INSANI VE TIBBI YARDIM DERNEGI
+ Apply the principle of leadership in the care of humanitarian relief work in its areas of work, by specialized cadres.
+
+
+
+ https://staging.giveth.io/project/Cambridge-in-America
+ Cambridge in America
+ Cambridge in America promotes interest in and support for the University of Cambridge and its constituent colleges among alumni and friends in the United States.
+
+
+
+ https://staging.giveth.io/project/Adeso
+ Adeso
+ We are an organization in Africa working in a very different way than most. We believe that development must come from within, not outside African communities. That it is Africans themselves who must determine Africas future, and that while international aid has provided much-needed support, it often falls short of enabling lasting change at grassroots level.<br><br>We want to change this, and our strong bonds with African communities mean we are uniquely placed to do so.<br><br>Our mission is to work at the roots of communities to create environments in which Africans can thrive. Working alongside African communities to co-create a new story for Africa-a future that is shaped by their values, powered by their own resourcefulness and built on their capabilities.
+
+
+
+ https://staging.giveth.io/project/MiraCosta-College-Foundation
+ MiraCosta College Foundation
+ The mission of the Foundation is to promote the benefits of the college and secure resources that transform lives in our community.
+
+
+
+ https://staging.giveth.io/project/ALL-ACCESS-MUSIQUE
+ ALL ACCESS MUSIQUE
+ In December 2020, French record companies decided to structure all their joint initiatives in favour of gender equality, equal opportunities, inclusion in general and ethics into an "All Access - Music" association. The founding objective is to accelerate the necessary changes within the music industry, whether in terms of equality or diversity.<br><br>The All Access Musique association is chaired by Natacha Krantz, Universal Musics Communications Director; it is administered by a board elected for two years and membership is open to any Company or organisation that shares its ambitions and wishes to contribute to its work.<br>The board is made up of 8 representatives of record labels - both independent and major - 4 women and 4 men.<br><br>The masterclasses of the All Access mentoring programme, which were introduced in January 2020, following the first Women in Music conference, were thus hosted by an organisation dedicated to <br>- the development of actions in the direction of parity <br>- the implementation of support measures for young people who are destined for the music industry.<br><br>On the subject of professional equality: <br><br>The first stone in the edifice that the producers wished to build to improve the place and visibility of women in their companies, the mentoring programme has been enriched, in addition to the monthly sessions based on the principle of role models, transmission and networking, with individual coaching sessions thanks to the partnership established with the Audiens group for 3 years.<br>Practical workshops, meetings with other groups of mentees and speeches by the association (MaMA 2021, Forum Generation Egalite, Assises de la Parite, etc.) have taken place over the past two years. <br>50 young women are now taking part in the third season of the All Access mentoring program; they come from all professions and from structures of all sizes.<br>The founding roadmap remains the guiding principle of this program: to move the lines in favour of women by offering employees at the beginning of their careers specific support to help them in their development thanks to an unprecedented experience:<br>- Regular exchanges with emblematic women professionals on all subjects,<br>- Share freely their daily concerns as well as their ambitions,<br>- Develop their network by building privileged relationships with their peers but also with experienced women,<br>- Have a space to listen and develop their self-confidence.<br><br>In 2021, thanks to the support of the Centre National de la Musique, the association was able to set up dedicated accounts on social networks, and to communicate regularly on the activities of All Access. The participants in the mentoring programme also benefited from a communication kit (personal photos taken by a professional photographer, training sessions to optimise LinkedIn profiles, etc.).<br><br>On the subject of equal opportunities: <br><br>The music producers united in the All Access Musique association are also driven by a clear ambition on the issues of equal opportunities, diversity and inclusion.<br>The first line of development chosen to provide a concrete response in this area is that of helping students in financial difficulty, but who are nonetheless passionate about the music business; this corresponds to the desire to help young talent to become professional and join the teams of labels and partners in the recorded music sector. <br>In this context and to help us identify needs with the help of specialists in the field, a partnership has been established with the Institut de lEngagement. <br>The awarding of scholarships to eligible students in the music industry masters programme is managed by the "Equal Opportunities Committee" of our association.<br>The first school associated with this programme is EMIC; other masters are being considered for the next integration sessions (the EDH group with ICART in particular).
+
+
+
+ https://staging.giveth.io/project/WUTW
+ WUTW
+ The We Uplift The World Foundation mission is to create sustainable, positive change in the world through art, technology, entertainment, and education.We collaborate with artists, educators, entrepreneurs, humanitarians and companies that share our vision in creating abundant growth opportunities for underserved youth through fun, engaging, and accessible educational projects.<br><br>Our immersive creative entrepreneurship programs, such as eARTh (mobile filmmaking lab) & STARZ* (web3 & NFT accelerator program) are designed to introduce students to the creator economy and create a safe space for them to engage with the web3 world. Our mission is to empower students with applicable information and great experiences to help them cultivate and monetize their talent while having fun.
+
+
+
+ https://staging.giveth.io/project/Vernon-Memorial-Healthcare-Foundation-Inc
+ Vernon Memorial Healthcare Foundation Inc
+ Vernon Memorial Healthcare Foundation is dedicated to developing and supporting the programs, services, facilities and education which enhance the accessibility to quality healthcare and wellness in the communities served by Vernon Memorial Healthcare Inc.
+
+
+
+ https://staging.giveth.io/project/Heart-of-America
+ Heart of America
+ Heart of America transforms learning spaces, bridges the resource gap and strengthens communities to give all students room to dream, discover and thrive. Over the past 25 years, Heart of America (HOA) (www.heartofamerica.org) has worked towards education equity by renovating over 800 spaces in: classrooms, libraries, STEAM labs, college/career centers, school gymnasiums and community centers and more. We have provided current resources including over 4 million books, and infused over 4 million in technology.. Over the past 25 years, Heart of America has provided high-quality resources and transformed spaces in under-resourced schools into modern learning environments so that students and communities can learn and grow. We have served more than two million students and community members by distributing more than 4 million books, infusing $4 million in technology, and transforming more than 700 school and community libraries, cafeterias, gymnasiums, college and career centers, tech labs, and many more educational spaces across North America.
+
+
+
+ https://staging.giveth.io/project/James-Storehouse
+ James Storehouse
+ From cribs to college, James Storehouse supports children in foster care, those aging-out of foster care, and children who have been commercially exploited. We provide resources that will ease transitions and improve living conditions. James Storehouse encourages awareness and motivates community participation in support of children in foster care.
+
+
+
+ https://staging.giveth.io/project/Carver-Foundation-of-Norwalk
+ Carver Foundation of Norwalk
+ Carver’s mission is to close opportunity gaps for all children and to ensure they graduate high school on time and are ready for college and careers.
+
+
+
+ https://staging.giveth.io/project/Solar-Village-Project
+ Solar Village Project
+ Our mission is to fight climate change and energy poverty from the bottom up. In todays world over 1.2 billion people are lacking basic access to electricity and another 800 million are lacking reliable access. The only way to mitigate the disastrous effects of climate change is by ensuring that the 2 billiong people energy poverty are given the opportunity to adopt sustainable solutions for their energy choices.
+
+
+
+ https://staging.giveth.io/project/SolarBuddy
+ SolarBuddy
+ SolarBuddy is an impact organization uniting a global community to illuminate the futures of all children. One of the biggest obstacles we face is extreme energy poverty. It is a complex challenge, impacting the health and well-being, educational outcomes, and economic stability of the communities experiencing it, as well as our environment. But we are motivated by big challenges and will never stop creating new ways to fight this one. <br><br>We focus on education, sustainable innovation, connected communities and the impact we can make by working towards achieving our two goals. Firstly, to gift millions of solar systems to children living in extreme energy poverty, while simultaneously, educating and inspiring millions of people to be agents of change to end extreme energy poverty by 2030. <br><br>We see a brighter future for all children, and by learning, creating and coming together, we will light the way there.
+
+
+
+ https://staging.giveth.io/project/Fabien-Cousteau-Ocean-Learning-Center
+ Fabien Cousteau Ocean Learning Center
+ The Fabien Cousteau Ocean Learning Center (FCOLC) is dedicated to protecting and preserving our planet’s waters, coastal areas, and marine habitats by facilitating education, research, collaboration, advocacy, and empowerment.<br><br>Through knowledge, programming and innovative technologies, we collaborate with our partners to develop educational initiatives, conservation efforts and marine research projects that will protect the earth’s waters while connecting the world to our ocean.
+
+
+
+ https://staging.giveth.io/project/Oregon-State-University-Foundation
+ Oregon State University Foundation
+ We partner with Oregon State University to engage our community, inspire investment and steward resources to enhance the university’s excellence and impact.
+
+
+
+ https://staging.giveth.io/project/Omni-Nano
+ Omni Nano
+ Omni Nano is a non-profit organization that teaches students the skills they will need to secure the STEM jobs of the future, focusing on the emerging field of nanotechnology. Omni Nano’s mission is to inspire the next generation of scientists, engineers, and entrepreneurs.
+
+
+
+ https://staging.giveth.io/project/Project-8p-Foundation
+ Project 8p Foundation
+ To empower a unified community for chromosome 8p heroes for a meaningful life today while accelerating treatments for tomorrow.
+
+
+
+ https://staging.giveth.io/project/HopeWest
+ HopeWest
+ Created through a community-wide vision, HopeWest provides comprehensive, expert, and collaborative care for those facing aging, serious illness, and grief. We are a nonprofit hospice organization serving western Colorado in Mesa, Delta, Montrose, Ouray, and Rio Blanco counties.<br><br>Together, through creativity, volunteerism, and philanthropy we profoundly change the experiences of aging, illness, and grief – one family at a time.
+
+
+
+ https://staging.giveth.io/project/Canopy-Cat-Rescue
+ Canopy Cat Rescue
+ We created CANOPY CAT RESCUE in 2009 after discovering how very difficult it was for people to find help for their cats stuck high in trees. As cat people ourselves, we know how horrible it feels when a cat is missing and then cries for help are heard high up in a tree. Cold, hungry, scared, tired, and dehydrated;many cats unfortunately suffer each year after being stuck in trees. That is why CANOPY CAT RESCUE rescues cats—anytime, day or night, in all kinds of weather. All cats deserve to be rescued and reunited with their loved ones. We work on a donations-only basis, because it’s our mission and passion to rescue any cat stuck in any tree regardless of their familys financial situation. We rescue hundreds of cats each year and look forward to expanding into other states to help even more kitties as we continue to grow.
+
+
+
+ https://staging.giveth.io/project/Mersal-Foundation
+ Mersal Foundation
+ Our mission is to provide decent medical services to all those in need yet cant afford it on non-discriminatory basis. with strong adherence to the rules of our advanced code of ethics, most prominent of which is protecting patients privacy
+
+
+
+ https://staging.giveth.io/project/Mission-K9-Rescue
+ Mission K9 Rescue
+ To Rescue, Reunite, Re-Home, Rehabilitate and Repair any retired working dog that has served mankind in some capacity.
+
+
+
+ https://staging.giveth.io/project/College-Possible
+ College Possible
+ Our mission is to close the degree divide and make college possible for students from low-income backgrounds through an intensive curriculum of coaching and support.
+
+
+
+ https://staging.giveth.io/project/The-Childrens-Foundation
+ The Childrens Foundation
+ The Children’s Foundation supports pediatric research, education, community benefit programs, and other initiatives that improve the health of children in Michigan.
+
+
+
+ https://staging.giveth.io/project/Texas-Public-Policy-Foundation
+ Texas Public Policy Foundation
+ Through research and outreach we promote liberty, opportunity, and free enterprise in Texas and beyond.
+
+
+
+ https://staging.giveth.io/project/Oceana-Inc
+ Oceana, Inc
+ We can save the oceans and feed the world.
+
+Oceana is the largest international advocacy organization focused solely on ocean conservation. We run science-based campaigns and seek to win policy victories that can restore ocean biodiversity and ensure that the oceans are abundant and can feed hundreds of millions of people. Oceana victories have already helped to create policies that could increase fish populations in its countries by as much as 40 percent and that have protected more than 1 million square miles of ocean. We have campaign offices in the countries that control close to 25 percent of the worlds wild fish catch, including in North, South and Central America, Asia, and Europe.
+
+
+
+ https://staging.giveth.io/project/Kayt-Educational-Cultural-NGO
+ Kayt Educational-Cultural NGO
+ Kayt Educational-Cultural NGO strives for the proportionate cultural development of Armenian communities, where: <br> - art education and culture are accessible in all regions of Armenia regardless of the distance from the capital city and the socioeconomic circumstances,<br> - communities have the opportunity for an active participatory cultural life, based on cultural traditions, feasts, rituals of the community, that way strengthening the connection with the community and displaying their community identity, in particular their feeling of belonging to their communities and social responsibility,<br> - communities are culturally self-sufficient by having the opportunity to discover and realize their own potential, using their own cultural potential for socio-economic development.<br><br>One of the most important preconditions for the development of any country is to ensure balanced development of all its regions, not only in terms of economic infrastructures, but also, in particular, the educational opportunities for the individual, the community, and the platforms for their realization. The regions and communities in Armenia are highly unequally developed in terms of access to art education and cultural life. For example, what creative/art classes the child will attend does not depend on the childs interest or talent, but on what is available in the community. In most communities, it is not even possible to attend any. In addition to access to art education, remote communities also face isolation from cultural events. The community members have limited opportunities, in some cases, they do not have any live interaction with culture and contact with the artists, which is an irreplaceable experience for the development of a persons aesthetic perceptions and creativity, formation of the attitude towards art, as well as a worldview. Besides limiting a persons ability to develop, cultural isolation affects the quality of community life, leading to the loss of unique cultural traditions of the community. Limited possibilities for the cultural life and lack of educational-cultural entertainment cause people to imagine and build their lives in communities with greater opportunities, therefore this closed chain of isolation is not being broken. Moreover, people leave their communities; as a result, they lose community identity and thus reduce the development potential and opportunity of the community. Every community has unlimited potential, and first of all, it is human potential. It is crucial to create space for discovering and realizing that potential. Culture allows us to best recognize the strengths of a person, to develop creativity, thus opening up an opportunity to find and implement innovative solutions to community problems. The community itself should have its own unique cultural policy, taking into account the context and priorities, the features and traditions of the community. On the other hand, any branch of art can be transformed into a social enterprise, ensuring the cultural, socio-economic self-sufficiency and development of the community. Kayt has successful experience in such programs in Movses, Khachik, Goris. The discovery and revitalization of the communitys way of life, traditional rituals, and holidays will increase the communitys touristic attractiveness, ensuring the communitys recognition and socio-economic activation.
+
+
+
+ https://staging.giveth.io/project/Seneca-Family-of-Agencies
+ Seneca Family of Agencies
+ Seneca Family of Agencies helps children and families through the most difficult times of their lives.
+
+
+
+ https://staging.giveth.io/project/Urban-Teachers
+ Urban Teachers
+ At Urban Teachers, our mission is to improve educational and life outcomes of children in urban schools by preparing culturally competent, effective career teachers who accelerate student achievement and disrupt systems of racial and socioeconomic inequity. It is our vision that every student in the United States is taught by committed, well-prepared, culturally competent teachers.
+
+
+
+ https://staging.giveth.io/project/Alexander-Youth-Network
+ Alexander Youth Network
+ Alexander Youth Network provides quality professional treatment to children with serious emotional and behavioral problems. We deliver an effective and efficient array of services, enabling children and their families to exercise self-determination, achieve their potential and become positive contributors to society.
+
+
+
+ https://staging.giveth.io/project/Trans-Lifeline
+ Trans Lifeline
+ Trans Lifeline is a national trans-led organization dedicated to improving the quality of trans lives by responding to the critical needs of our community with direct service, material support, advocacy, and education. Our vision is to fight the epidemic of trans suicide and improve overall life-outcomes of trans people by facilitating justice-oriented, collective community aid.
+
+
+
+ https://staging.giveth.io/project/Fos-Feminista
+ Fòs Feminista
+ Mission
+Our mission is to protect and advance sexual and reproductive health and rights for women, girls, and gender-diverse people around the world, with a focus on reaching the most marginalized with sexual and reproductive health services and sexuality education, wherever they are. We advocate for gender equality and reproductive rights locally and globally.
+
+
+
+ https://staging.giveth.io/project/Siskin-Childrens-Institute
+ Siskin Childrens Institute
+ Siskin Childrens Institute improves the quality of life for children with special needs and their families. Siskin Childrens Institute is the only comprehensive program in the Southeast area offering home and center based early intervention. Our services include diagnosis and treatment in the centers for developmental pediatrics, therapy services including ABA therapy for children with autism, occupational, physical, feeding, and speech therapies, and family resources. Our Chattanooga location includes and integrative early learning center.
+
+
+
+ https://staging.giveth.io/project/Family-Promise-Greater-Phoenix
+ Family Promise - Greater Phoenix
+ To provide emergency shelter and social services to help families move toward independent housing and self-sufficiency.
+
+
+
+ https://staging.giveth.io/project/Homeboy-Industries
+ Homeboy Industries
+ Homeboy Industries provides hope, training, and support to formerly gang-involved and previously incarcerated men and women, allowing them to redirect their lives and become contributing members of our community.
+
+
+
+ https://staging.giveth.io/project/Via-Mobility-Services
+ Via Mobility Services
+ Via’s mission is to promote independence and self-sufficiency for people with limited mobility by providing caring, customer-focused transportation options.
+
+
+
+ https://staging.giveth.io/project/Church-of-the-Highlands
+ Church of the Highlands
+ We’re here to help people know God, find freedom, discover their purpose and make a difference.
+
+
+
+ https://staging.giveth.io/project/Designs-for-Dignity
+ Designs for Dignity
+ DESIGNS FOR DIGNITY transforms nonprofit environments through pro bono design services and in-kind donations — EMPOWERING LIVES THROUGH DESIGN.
+
+
+
+ https://staging.giveth.io/project/The-Religious-Coalition
+ The Religious Coalition
+ The Religious Coalition for Emergency Human Needs seeks to prevent and alleviate the effects of poverty on the residents of Frederick County.
+
+
+
+ https://staging.giveth.io/project/Florida-Sheriffs-Association
+ Florida Sheriffs Association
+ The mission of the Florida Sheriffs Association as a self-sustaining, charitable organization is to foster the effectiveness of the Office of Sheriff through leadership, education and training, innovative practices and legislative initiatives.
+
+
+
+ https://staging.giveth.io/project/University-of-Central-Missouri-Foundation
+ University of Central Missouri Foundation
+ To cultivate, manage and distribute resources in support of the University of Central Missouri
+
+
+
+ https://staging.giveth.io/project/National-Embryo-Donation-Center
+ National Embryo Donation Center
+ Our mission is to protect the lives and dignity of human embryos. We do that by promoting, facilitating and educating about the amazing, life-giving technology that is embryo donation and embryo adoption. Think of embryo adoption as the only way a woman can become pregnant with her "adopted" child. Our vision is to share the love of Christ through the life-affirming process of embryo adoption while striving to place every donated embryo into a loving home.
+
+
+
+ https://staging.giveth.io/project/Wyoming-Community-Foundation
+ Wyoming Community Foundation
+ Connecting people who care with causes that matter to build a better Wyoming.. Our donors are primarily individuals who seek support in philanthropic advising, and assistance in utilizing giving mechanisms to support charities primarily within the state of Wyoming. We also do have nonprofit organizations that are considered donors, and for whom we provide expert endowment investing and other technical support.
+
+
+
+ https://staging.giveth.io/project/Camp-Ramah-in-Wisconsin
+ Camp Ramah in Wisconsin
+ Camp Ramah in Wisconsin offers vibrant experiences—filled with camp fun and friends—that build Jewish lives and leaders. Our holistic community inspires our campers and staff to see themselves in the ongoing renewal of our rich heritage.
+
+
+
+ https://staging.giveth.io/project/Associacao-para-o-Amparo-e-Desenvolvimento-de-Pessoas-Carentes-AADPC
+ Associacao para o Amparo e Desenvolvimento de Pessoas Carentes - AADPC
+ I. Promote basic and fundamental assistance to people in need in order to promote a minimum of dignity that will enable them to be interested and seek personal and family development.<br>II. Promote the development of needy people through courses, training and related counseling, in order to improve their qualifications for better acceptance in the labor market or to exercise in autonomous or business activities.<br>III. Promote assistance to needy children and adolescents in order to promote personal development, morals, good manners, self-esteem, quality interpersonal relationships and respect for law and order.
+
+
+
+ https://staging.giveth.io/project/7-Lakes-Alliance
+ 7 Lakes Alliance
+ 7 Lakes Alliance conserves the lands and waters of the Belgrade Lakes Region for all.
+
+
+
+ https://staging.giveth.io/project/The-Florida-Aquarium
+ The Florida Aquarium
+ The Florida Aquarium is a 501(c)(3) non-profit organization whose mission is to entertain, educate and inspire stewardship of the natural environment.
+
+
+
+ https://staging.giveth.io/project/The-Justin-Wren-Foundation-dba-Fight-For-The-Forgotten
+ The Justin Wren Foundation dba Fight For The Forgotten
+ Defeat Hate With Love"<br><br>We do this through meeting the most basic human needs of land, water, housing, and food for oppressed Pygmy families in Africa.
+
+
+
+ https://staging.giveth.io/project/Behind-the-Scenes-Foundation
+ Behind the Scenes Foundation
+ Behind the Scenes is the charity for all the people who make the magic happen without your ever seeing them – the people who work behind the stage and behind the camera – on concerts and shows, films and TV, at theme parks and almost anywhere you can think of where you go to be entertained.
+
+
+
+ https://staging.giveth.io/project/Saint-Paul-Minnesota-Foundation
+ Saint Paul Minnesota Foundation
+ We inspire generosity, advocate for equity, and invest in community-led solutions.
+
+
+
+ https://staging.giveth.io/project/Ayuda-Legal-Puerto-Rico
+ Ayuda Legal Puerto Rico
+ Ayuda Legal Puerto Rico provides free legal education and support to low-income individuals and communities in Puerto Rico. We promote social impact advocacy to ensure a just and equitable society, where human rights are guaranteed.
+
+
+
+ https://staging.giveth.io/project/eMotorsports-Cologne
+ eMotorsports Cologne
+ .
+
+
+
+ https://staging.giveth.io/project/Trustees-of-Boston-University
+ Trustees of Boston University
+ Higher Education.
+
+
+
+ https://staging.giveth.io/project/Hope-and-Comfort-Inc
+ Hope and Comfort, Inc
+ Hope & Comfort collects and distributes the most basic hygiene products such as soap and toothpaste to support the health and confidence of children, families and adults within Massachusetts. In 2021 alone, Hope and Comfort distributed roughly 2,000,000 basic hygiene items including more than 1,250,000 bars of soap to more than 250 leading small and large non-profit and community partners such as schools, Boys and Girls Clubs, the YMCA, food pantries, homeless and domestic violence shelters and many more to keep tens of thousands of children, families and adults clean, healthy and confident.
+
+
+
+ https://staging.giveth.io/project/Immigration-Institute-of-the-Bay-Area
+ Immigration Institute of the Bay Area
+ Established in 1918, the Immigration Institute of the Bay Area (IIBA) helps immigrants, refugees, and their families join and contribute to the community. IIBA provides high-quality immigration legal services, education, and civic engagement opportunities.
+
+
+
+ https://staging.giveth.io/project/Valley-Christian-Schools
+ Valley Christian Schools
+ Valley Christian Schools’ mission is to provide a nurturing environment offering quality education supported by a strong foundation of Christian values in partnership with parents, equipping students to become leaders to serve God, to serve their families, and to positively impact their communities and the world.
+
+
+
+ https://staging.giveth.io/project/Love146
+ Love146
+ Founded in 2002, Love146 journeys alongside children impacted by trafficking today and prevents the trafficking of children tomorrow. We connect the dots to understand how vulnerability operates in the lives of children, and intervene both to care for survivors who have been harmed and ultimately to prevent harm from happening in the first place. Our work is achieved through the power of relationships and collaboration, listening to those with lived experience and diverse backgrounds, scaling proven practices, and challenging the systems that leave children vulnerable. Our prevention and survivor care work has impacted more than 65,000 young people. Our core commitment is to do what is best for children.
+
+
+
+ https://staging.giveth.io/project/Northfield-Mount-Hermon-School
+ Northfield Mount Hermon School
+ Northfield Mount Hermon engages the intellect, compassion, and talents of our students, empowering them to act with humanity and purpose.
+
+
+
+ https://staging.giveth.io/project/The-Urban-School-of-San-Francisco
+ The Urban School of San Francisco
+ Urban School of San Francisco seeks to ignite a passion for learning, inspiring its students to become self-motivated, enthusiastic participants in their education – both in high school and beyond.
+
+
+
+ https://staging.giveth.io/project/Los-Angeles-Fire-Department-Foundation
+ Los Angeles Fire Department Foundation
+ Every 35 seconds, the Los Angeles Fire Department (LAFD) responds to an emergency. From traffic collisions to swift water rescues, and stranded hikers to heart attacks, The LAFD handles an endless variety of urban, industrial, residential, wildland, and transportation-related incidents. Despite the breadth and scope of what the LAFD covers, its firefighters often have needs that the city’s budget cannot fulfill. As the LAFD’s official non-profit partner, the LAFD Foundation supports the Department in protecting life, property, and the environment by providing essential equipment, education, and public outreach programs to supplement city resources.
+
+
+
+ https://staging.giveth.io/project/Universidad-Politecnica-de-Madrid
+ Universidad Politecnica de Madrid
+
+
+
+
+ https://staging.giveth.io/project/Ashinaga-Foundation
+ Ashinaga Foundation
+ Ashinaga is a Japanese foundation headquartered in Tokyo. We provide financial support and emotional care to young people around the world who have lost either one or both parents. With a history of more than 55 years, our support has enabled more than 110,000 orphaned students to gain access to higher education. <br><br> <br><br>From 2001, we expanded our activities internationally, with our first office abroad in Uganda. Since then, we have established new offices in Senegal, the US, Brazil, the UK, and France to support the Ashinaga Africa Initiative. <br><br> <br><br>The Ashinaga movement began after President and Founder, Yoshiomi Tamais mother was hit by a car in 1963, putting her in a coma, and she passed away soon after. Tamai and a group of likeminded individuals went on to found the Association for Traffic Accident Orphans in 1967. Through public advocacy, regular media coverage and the development of a street fundraising system, the association was able to set in motion significant improvements in national traffic regulations, as well as support for students bereaved by car accidents across Japan. <br><br> <br><br>Over time, the Ashinaga movement extended its financial and emotional support to students who had lost their parents by other causes, including illness, natural disaster, and suicide. The Ashinaga-san system, which involved anonymous donations began in 1979. This was inspired by the Japanese translation of the 1912 Jean Webster novel Daddy-Long-Legs. In 1993, Ashinaga was expanded to include offering residential facilities to enable financially disadvantaged students to attend universities in the more expensive metropolitan areas. Around this time Ashinaga also expanded its summer programs, or tsudoi, at which Ashinaga students could share their experiences amongst peers who had also lost parents. <br><br> <br><br>The 1995 Hanshin-Awaji Earthquake struck the Kobe area with a magnitude of 6.9, taking the lives of over 6,400 people and leaving approximately 650 children without parents. Aided by financial support from both Japan and abroad, Ashinaga established its first ever Rainbow House, a care facility for children to alleviate the resultant trauma. <br><br> <br><br>March 11, 2011, a magnitude 9.0 earthquake struck the northeastern coast of Japan, causing a major tsunami, vast damage to the Tohoku region, and nearly 16,000 deaths. Thousands of children lost their parents as a result. Ashinaga responded immediately, establishing a regional office to aid those students who had lost parents in the catastrophe. With the assistance of donors from across the world, Ashinaga provided emergency grants of over $25,000 each to over 2,000 orphaned students, giving them immediate financial stability in the wake of their loss. Ashinaga also built Rainbow Houses in the hard-hit communities of Sendai City, Rikuzentakata, and Ishinomaki, providing ongoing support to heal the trauma inflicted by the disaster. <br><br> <br><br>Over the past 55 years Ashinaga has raised over $1 billion (USD) to enable about 110,000 orphaned students to access higher education in Japan.
+
+
+
+ https://staging.giveth.io/project/The-Arc-of-the-United-States
+ The Arc of the United States
+ Promoting and protecting the human rights of people with intellectual and developmental disabilities and actively supporting their full inclusion and participation in the community throughout their lifetimes.
+
+
+
+ https://staging.giveth.io/project/Life-Saver-Dogs
+ Life Saver Dogs
+ Life Saver Dogs helps people with disabilities get a custom-tailored, professionally-trained, service dog to assist with one or more disabilities. All candidates are fully vetted and truly deserving of support. For every person we accept, a custom-trained service dog will be a life-changing event.
+
+
+
+ https://staging.giveth.io/project/Justice-Committee-Inc
+ Justice Committee Inc
+ Conduct public education and outreach to community members.
+
+
+
+ https://staging.giveth.io/project/Berkeley-Preparatory-School
+ Berkeley Preparatory School
+ Berkeley is nationally recognized as an independent school leader with an innovative curriculum that inspires intellectual curiosity, empathy, resilience, and wonder in our students. We attract, develop, and retain the most skilled, committed, diverse, and innovative educators and staff from around the world. And we encourage a strong sense of social responsibility in our school community to serve others. In short, Berkeley puts people in the world who make a positive difference.
+
+
+
+ https://staging.giveth.io/project/Open-Primaries-Education-Fund
+ Open Primaries Education Fund
+ The Open Primaries Education Fund achieves its mission through three key areas of practice:<br><br>1. We work to EDUCATE all Americans about the primary election process and systems. Our efforts are conducted through publicly accessible information, educative materials, general research, analysis, and study. We focus on public attitudes and perceptions toward the electoral process and how different methods of primary elections impact on the policy process.<br><br>2. We SPONSOR town halls and other forums with experts in the field to promote dialogue and understanding of the electoral process.<br><br>3. Finally, we conduct legal RESEARCH on the underpinnings of the primary election systems in states across the country and pursue litigation where the primary election systems conflict with the state’s constitution or are otherwise in violation of the law.<br>Why donate crypto?: Open Primaries is a non-profit advocacy group thats challenging the political establishment’s belief that the solution to the crisis in American democracy is to refine our politics just enough to get us back to the “good old days” of sensible politics in the 1990s.<br><br>Our goal is to challenge the very foundations of the partisan manipulation of America’s electoral system and the two party duopoly that is forcing Americans into political silos. We believe that starts with letting every voter vote in every public election. Right now the largest group of voters-independents-can’t vote in closed party primaries which are often the most meaningful elections in America today.
+
+
+
+ https://staging.giveth.io/project/Emmanuel-Mercy-Mission
+ Emmanuel Mercy Mission
+ Our goal is to help the most vulnerable, overcome poverty, and find fulfillment in life. We help people of all backgrounds, inspired by our Christian faith.<br>Emmanuel Mercy Mission was born in 1992 when a small group of refugees realized the need to help the communities they had left behind. This small group teamed up with other local organizations to send food, clothing, and medical supplies to many countries in Eastern Europe that were once known as the Soviet Union. We have helped families, churches, and communities in Ukraine, Moldova, Belarus, Russia, Armenia, Uzbekistan, and Estonia.<br>We continue to serve the poor and oppressed today, demonstrating Gods unconditional love for all people. Emmanuel Mercy Mission serves every person we can to help, of any faith or no faith.<br>Our organization recognizes the growing need for ongoing support around the world. We are committed to helping people with disabilities as well as communities in need of food, shelter and medical care - Emmanuel Mercy Mission is fully committed to making a positive impact on the world around us.
+
+
+
+ https://staging.giveth.io/project/The-Bridge-Church-at-Spring-Hill
+ The Bridge Church at Spring Hill
+ We exist to be with Jesus and become like Him for the sake of the world.
+
+
+
+ https://staging.giveth.io/project/Skibbereen-Geriatric-Society-Ltd
+ Skibbereen Geriatric Society Ltd
+ To provide sheltered housing for people who are over 60 years of age
+
+
+
+ https://staging.giveth.io/project/Emmanuel-Cancer-Foundation
+ Emmanuel Cancer Foundation
+ Since 1983, the Emmanuel Cancer Foundation (ECF) has been a beacon of light for New Jersey families facing pediatric cancer. ECF provides comfort and relief through free in-home counseling; food and other material assistance to preserve quality of life; and emergency funds to help with urgent expenses such as rent and utilities. ECF supports families for as long as they need us, whether one month or ten years.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Bonobos
+ Friends of Bonobos
+ Were on a mission to save and protect bonobos and their rainforest home - forever.<br><br>We do this through rescue, sanctuary, and rewilding, and by partnering with local communities to tackle root causes and save rainforest.
+
+
+
+ https://staging.giveth.io/project/Project-Sunshine
+ Project Sunshine
+ Bringing joy and play to pediatric patients. We partner with medical facilities across the United States and in four international locations to meet the psychosocial and developmental needs of pediatric patients. Project Sunshine’s programming supports these critical needs by providing increased opportunities for play and authentic engagement in the medical environment – restoring a crucial sense of normalcy for patients and their families.
+
+
+
+ https://staging.giveth.io/project/Max-Planck-Florida-Institute-for-Neuroscience
+ Max Planck Florida Institute for Neuroscience
+ Max Planck Florida Institute for Neuroscience pursues bold neuroscience research, training the next generation of scientists, and developing cutting-edge tools that will expand our knowledge of the brain. Today’s Basic Science is the Foundation for Tomorrow’s Cures and leading up to every breakthrough are donors, scientists, technicians, and bright young researchers who come together to tackle the biggest questions in neuroscience.
+
+
+
+ https://staging.giveth.io/project/The-Dinner-Party-Labs
+ The Dinner Party Labs
+ The Dinner Party Labs designs approaches to community healing with those impacted by isolation and fragmentation. We develop tools, resources, and storytelling content, and serve as an incubator, helping other organizations and networks bring design healing to their own communities.
+
+
+
+ https://staging.giveth.io/project/Code-in-the-Schools-Inc
+ Code in the Schools Inc
+ We empower Baltimore City youth to thrive in the 21st century economy by expanding access to quality computer science education and building pathways from schools to jobs and higher education. By focusing on youth traditionally under-represented in technology fields, we work to eliminate structural barriers and inequities in education and industry.
+
+
+
+ https://staging.giveth.io/project/Action-Change-(Formerly-GVI-Trust)
+ Action Change (Formerly GVI Trust)
+ Our Mission<br>"To Support communities in creating brighter, better and more sustainable futures for all their citizens."<br><br>Our Purpose <br>Building an international community of people united in a common goal of making an impact on global issues, raising awareness of the need for protection of our environment, and meeting the challenges presented by natural and unexpected disasters.
+
+
+
+ https://staging.giveth.io/project/NephCure-Kidney-International
+ NephCure Kidney International
+ NephCure Kidney International’s mission is to accelerate research for effective treatments for rare forms of Nephrotic Syndrome, and to provide education and support that will improve the lives of those affected by these protein-spilling kidney diseases.
+
+
+
+ https://staging.giveth.io/project/CONSERVATION-INTERNATIONAL-DO-BRASIL
+ CONSERVATION INTERNATIONAL DO BRASIL
+ Empowering society to care for nature, our global biodiversity, in a responsible and sustainable way, for human well-being, supported by a solid foundation of science, partnerships and field experience
+
+
+
+ https://staging.giveth.io/project/Camino-Health-Center
+ Camino Health Center
+ To improve the health of the underserved in south Orange County by providing affordable, quality, primary health care.
+
+
+
+ https://staging.giveth.io/project/The-Palmas-Academy-Inc
+ The Palmas Academy, Inc
+ To provide an excellent education in a safe, positive, and supportive<br>environment that will foster scholarship, creativity, self-discipline,<br>independent thinking and leadership and will promote values for living<br>in a culturally diverse world.
+
+
+
+ https://staging.giveth.io/project/Center-for-Changing-Lives
+ Center for Changing Lives
+ CCL partners with participants to uncover possibilities, overcome barriers, and realize their potential. Our work includes coaching on financial, employment, and resource mobilization goals that enhance lives, training, and skill enhancement opportunities, and advocacy and organizing on economic policy and practices that open up opportunities and resources.
+
+
+
+ https://staging.giveth.io/project/Fabricatorz-Foundation
+ Fabricatorz Foundation
+ To fund artistic performances and exhibits through public events, education and project incubation and sponsorship.
+
+
+
+ https://staging.giveth.io/project/Nonviolent-Peaceforce
+ Nonviolent Peaceforce
+ Nonviolent Peaceforce (NP)s mission is to protect civilians in violent conflicts through unarmed strategies, build peace side by side with local communities, and advocate for the wider adoption of these approaches to safeguard human lives and dignity. NP envisions a worldwide culture of peace in which conflicts within and between communities and countries are managed through nonviolent means.
+
+
+
+ https://staging.giveth.io/project/Animal-Equality
+ Animal Equality
+ Animal Equality is an international organization working with society, governments, and companies to end cruelty to farmed animals.
+
+
+
+ https://staging.giveth.io/project/Big-Brothers-Big-Sisters-of-Metropolitan-Chicago
+ Big Brothers Big Sisters of Metropolitan Chicago
+ Our mission is to create and support one-to-one mentoring relationships that ignite the power and promise of youth. Our vision is that all youth achieve their full potential.
+
+
+
+ https://staging.giveth.io/project/Fundacion-APASCOVI
+ Fundacion APASCOVI
+ Contribute to the project to improve the quality of life of each person with intellectual disability (or risk of suffering) and their families, providing support and opportunities within a framework of inclusion and standardization to promote the exercise of their rights and duties.
+
+
+
+ https://staging.giveth.io/project/Seven-Hills-Church-Inc
+ Seven Hills Church, Inc
+ Learn the core values that keep the vision of 7 Hills Church clear. These values reflect our priority to reach people with the Gospel.
+
+
+
+ https://staging.giveth.io/project/Persatuan-Harapan-Mulia
+ Persatuan Harapan Mulia
+ To inspire and empower less fortunate people via education & awareness.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Panamena-para-el-Planeamiento-de-la-Familia-(APLAFA)
+ Asociacion Panamena para el Planeamiento de la Familia (APLAFA)
+ Contribute to improving the quality of life of the population in the Republic of Panama, offering education and sexual and reproductive health services of excellence, defending and promoting sexual and reproductive rights.
+
+
+
+ https://staging.giveth.io/project/Club-Rotario-Ciudad-Juarez-Industrial-AC
+ Club Rotario Ciudad Juarez Industrial AC
+
+
+
+
+ https://staging.giveth.io/project/Abortion-Care-Network
+ Abortion Care Network
+ Abortion Care Network is the only national membership organization for independent abortion clinics – who provide the majority of abortion care in the United States- and their allies. We support their sustainability and ability to provide dignified abortion care.
+
+
+
+ https://staging.giveth.io/project/University-of-California-Santa-Barbara
+ University of California Santa Barbara
+ UC Santa Barbara is a leading center for teaching and research located on the California coast - truly a learning and living environment like no other!
+
+
+
+ https://staging.giveth.io/project/East-Bay-Community-Foundation
+ East Bay Community Foundation
+ A Just East Bay – where all communities have supports in place to not only survive, but to thrive.
+The East Bay Community Foundation partners with donors, social movements, and the community to eliminate structural barriers, advance racial equity, and transform political, social, and economic outcomes for all who call the East Bay home.
+
+
+
+ https://staging.giveth.io/project/Providence-Health-Services-Foundation
+ Providence Health Services Foundation
+ As expressions of Gods healing love, witnessed through the ministry of Jesus, we are steadfast in serving all, especially those who are poor and vulnerable.
+
+
+
+ https://staging.giveth.io/project/WAI-Wanaka
+ WAI Wanaka
+ We are a team of passionate people working to connect our community to our environment, so that both thrive. <br><br>WAI Wanakas kaupapa* is to empower communities to take action to achieve measurable, enduring benefits by better understanding their water, their environment and their impacts. With almost every catchment in Aotearoa New Zealand at risk from human activity in one way or another, we believe that it will take all of us, working together, to safeguard and sustain Te Taiao**. <br><br>*Kaupapa is the māori word for purpose.<br><br>**Te Taiao is the natural world that contains and surrounds us - land, water, climate and living beings. Te Taiao also refers to the interconnection of people and nature, an eternal relationship of respect, reciprocity and interdependence.
+
+
+
+ https://staging.giveth.io/project/ENL-Foundation
+ ENL Foundation
+ ENL Foundation is a keen supporter of and an active participant in integrated and sustainable community developments. <br><br>We specialise in the integrated development of local communities, focusing on the active participation of the targeted beneficiaries focusing on three main pillars namely<br>(1) Living with dignity<br>(2) Promoting integrated neighbourhoods<br>(3) Nurturing the next generation<br><br>We are committed to enabling communities to live with dignity by working in close partnership with the main beneficiaries, the local authorities as well as specialist field NGOs.<br> Our aim is to empower communities we work with to transcend hopelessness and to take full ownership of their own growth. Our end objective is to empower local communities for autonomy.<br><br>we intervene at the grassroots to empower communities, bringing them hope as well as the means to transcend poverty and integrate the mainstream.
+
+
+
+ https://staging.giveth.io/project/Association-of-Locally-Empowered-Youth-in-Mindanao-(ALEY-M)-Inc
+ Association of Locally Empowered Youth in Mindanao (ALEY-M) Inc
+ The main goal of ALEY-NM is to empower the local youths in Mindanao, give them hope and roots in the barrios where they are living by making the barrios productive, vibrant and a repository of local knowledge at the same time improving the local biodiversity by nurturing the land in a low-external input system (as opposed to high-chemical agriculture) and incorporating crop-trees-animals in a nutrient-cycle, sustainable manner. The organization promotes ecological sanitation and the use of human waste (urine and feces) as fertilizer for the plants realizing that chemical fertilizer harms the environment and knowing that human waste contains valuable nutrients such as nitrogen and phosphate ideal for food security. The ALEY-NM is a winner of the 2010 Ten Accomplished Youth Organization in the Philippines and an awardee of the "Saka" (agriculture) award by the Department of Agriculture. It is the production and marketer of SaniFert (short for sanitation-fertilizer) which is a combination of biochar, feces, effective micro-organisms urine and animal waste.
+
+
+
+ https://staging.giveth.io/project/Virtues-Project-International-Association
+ Virtues Project International Association
+ VPIA was formed in 2013 to continue the work of its legacy organization, The Virtues Project, which was founded in 1988. The mandate of VPIA is to promote the principles, practices and strategies of TVP throughout the world; providing encouragement, support and guidance to individuals, families, organizations, communities, regions and nations seeking to make virtue a part of their everyday life; and by providing programs and materials in support of these efforts.<br>The mission of TVP is to inspire people of all cultures to remember who we really are and to live by our highest values. TVP empowers individuals to live more authentic meaningful lives, families to raise children of compassion and integrity, educators to create safe, caring, and high performing learning communities, and leaders to encourage excellence and ethics in the workplace.
+
+
+
+ https://staging.giveth.io/project/Himalayan-Life-Switzerland
+ Himalayan Life Switzerland
+ HIMALAYAN LIFE is an international not-for-profit / charity with offices in Switzerland, Canada, Nepal, and India, seeking to protect, nurture and educate the children in the Himalayas. We run homes, shelters, and educational programs both in Nepal and North India for street-kids, slave-kids, and abandoned kids. Our 40 local staff are all committed to be agents of change, and work for the comprehensive and lasting transformation in the Childrens lives and their families. For further details, please see www.himalayanlife.com.
+
+
+
+ https://staging.giveth.io/project/Lawyers-for-Good-Government-(L4GG)
+ Lawyers for Good Government (L4GG)
+ L4GG is a community of 125,000 lawyers, law students, and activists fighting to ensure equal rights, equal opportunities and equal justice under the law. <br><br>We coordinate large-scale pro bono programs and issue advocacy efforts, seeking not only to establish and enforce equality under the law, but to also create the social and economic conditions that lead to true equity.
+
+
+
+ https://staging.giveth.io/project/The-Abundant-Living-Faith-Center-Church-Inc
+ The Abundant Living Faith Center Church Inc
+ Through the highs and lows of your life,the Abundant Community is there for you.
+
+
+
+ https://staging.giveth.io/project/Sathirakoses-Nagapradipa-Foundation
+ Sathirakoses Nagapradipa Foundation
+ The Sathirakoses Nagapradipa Foundation (SNF) was founded by Thai intellectual, writer and social critic, Sulak Sivaraksa, in 1969. SNF is one of the first social organisations set up in Thailand - with a broad mission of supporting struggling artists and writers, and facilitating educational, cultural and spiritual activities that encourage detachment from consumerism. Named after two prominent writers and scholars of Thai culture, the foundation has acted as an umbrella for a number of sister organisations, which have sprung up under its auspices, through the encouragement and support of Sulak Sivaraksa. Together, they have been working modestly for social transformation and an end to structural violence, as well as promoting peace and justice in the region.<br><br>What distinguishes SNF and its sister organisations from other social organisations is a deep commitment to social change through combining spirituality with social action. This approach is guided by the practice of engaged spirituality.<br><br>The main objectives of the foundation are as follows -<br><br>(1) To support and promote persons who create art and cultural work, and to promote any activity which makes progress in the fields of arts and culture.<br><br>(2) To support and give assistance in activities which will bring about the progress of Thai literature and arts.<br><br>(3) To support and promote the conservation and/or development of arts, culture, education, as well as environmental and antiquity preservation for the progress of humanity.<br><br>(4) To publish news concerning domestic and international issues.<br><br>(5) To support and collaborate in social work for the benefit of society.<br><br>(6) To support and promote all work of the foundation without political aims.<br><br>The following is the broad organizational structure of SNF -<br><br>Patronage<br><br>SNF is under the patronage of His Holiness the Dalai Lama<br><br>SNF Sister Organizations<br><br>Wongsanit Ashram<br>Santi Pracha Dhamma Institute (SPDI)<br>International Network of Engaged Buddhists (INEB)<br>INEB Institute<br>School for Wellbeing - Studies and Research<br>Spirit in Education Movement (SEM)<br><br>Social Enterprises<br><br>Suan Ngen Mee Ma Publishing House and Social Enterprise<br>Siam Baandin Natural Housebuilding Social Enterprise<br><br>SNF is closely associated with -<br><br>Foundation for Children and Moo Baan Dek (Childrens Village School)<br>Buddhika<br>Suksit Siam and Kled Thai Publishing Houses<br>Komol Keemthong Foundation<br>Institute for Contemplative Learning<br>Sekhivadhamma <br><br>Areas of engagement<br><br>Some key themes being addressed through the foundation and its sister organisations include:<br><br>Alternative Economics <br><br>Through the School for Wellbeing, SNF is collaborating with the Centre for Bhutan Studies and Chulalongkorn University on theoretical and practical applications of Gross National Happiness in Thailand. Two social enterprises have also grown out from the Foundation, providing models of social engagement that contribute to new paradigm thinking and sustainability.<br> <br>Art and Culture <br><br>SNF continues to support local artists in their contribution to commentary on social and political issues, aesthetics, and their own personal journeys of exploration and expression. INEB is also supporting the rediscovery and exchange of Buddhist art traditions across the Mekong region and beyond. <br><br>Youth Activism <br><br>INEBs Young Bodhisattva programme includes exchange of youth among partner organizations, and a foundational Socially Engaged Buddhism training integrating spirituality with social analysis. <br><br>Strengthening Civil Society <br><br>Grassroots empowerment has been a foundational approach across many of the programmes under SNFs organisations. The Assembly of the Poor - a social movement representing vast networks of grassroots people across Thailand - continues to be supported through the Santi Pracha Dhamma Institute (SPDI). Both the Spirit in Education Movement (SEM) Laos and Myanmar programmes focus on grassroots empowerment, community organizing and public awareness raising as a means to strengthen capacities of civil society and create platforms for social change. <br><br>Sustainable Living and Environmental Integrity <br><br>Wongsanit Ashram is a core member of Global Ecovillage Network - Asia and Oceania, and with its partners, has facilitated the International Ecovillage Design Education training since 2007, which seeks to provide models for sustainable community living. The Towards Organic Asia programme under the School for Wellbeing also focuses on sustainability and wellbeing of communities through supporting organic agriculture farming and mindful markets across the Mekong region and Bhutan. INEB is also involved in recent initiatives on interfaith approaches to Climate Change and biodiversity conservation, which seek to bring a moral voice to the growing urgency for action to stem the current climate crisis. <br><br>Gender <br><br>SPDI and the Assembly of the Poor continue to organize capacity building activities for women groups within the network. INEB also contributes long-term thematic work on gender regarding womens ordination and womens empowerment across Asia. <br><br>Peace and Justice <br><br>The Cross-Ethnic Integration in Andaman project is working with migrant workers from Myanmar, including upholding and advocating migrant worker rights at policy and practical levels, and building trust and solidarity among migrant workers and local communities through cultural and social celebrations. INEB and its partners have collaborated on peace and justice initiatives in the Asian region for decades. Over the last years, focus has been on roles of the Buddhist Sangha in communal violence in Myanmar, Sri Lanka and restorative justice for Tamils during and after the civil war, and the impacts of the devastating Fukushima disaster of 2011. <br><br>Alternative Education <br><br>SEM Thailand works specifically on empowerment education for the Thai public, focusing mainly on inner growth and relationship building; and with organisations, government agencies, universities and private businesses to build workplace environments that support wellbeing. Under SEM Myanmar, the Coalition for the Promotion of Monastic Education is supporting local schools to become more open and democratic in their management, alongside encouraging holistic child-centred learning, engaging parents, and breaking the walls which separate the school, monastery and community by becoming starting points for wider community-driven development.<br> <br>Media <br><br>SNF continually publishes books and magazines in both English and Thai languages, including the long-running Pacasaraya magazine, Puey magazine (in memory of Dr. Puey Ungpakhorn), and the Seeds of Peace. SEM Laos has also continued providing materials in Lao language on Buddhism and social engagement.
+
+
+
+ https://staging.giveth.io/project/Electronic-Privacy-Information-Center
+ Electronic Privacy Information Center
+ The Electronic Privacy Information Center ("EPIC") is an independent non-profit research center in Washington, DC. EPICs mission is to focus public attention on emerging privacy and related human rights issues. EPIC works to protect privacy, freedom of expression, and democratic values, and to promote the Public Voice in decisions concerning the future of the Internet.<br><br>EPIC pursues a wide range of program activities including public education, litigation, and advocacy. EPIC routinely files amicus briefs in federal courts, pursues open government cases, defends consumer privacy, organizes conferences for NGOs, and speaks before Congress and judicial organizations about emerging privacy and civil liberties issues.
+
+
+
+ https://staging.giveth.io/project/National-Park-Trust-Inc
+ National Park Trust, Inc
+ We preserve parks today and create park stewards for tomorrow. We acquire the missing pieces of our national parks, the privately owned land located within and adjacent to our national parks’ boundaries. We also bring thousands of kids from under-served communities to our parks; they are our future caretakers of these priceless resources.
+
+
+
+ https://staging.giveth.io/project/Abundant-Living-Family-Church
+ Abundant Living Family Church
+ ALFC is a non-denominational, multicultural, economically diverse family church. We are a Bible-teaching church that genuinely loves God, His Word, and His people.
+
+
+
+ https://staging.giveth.io/project/SEED-Madagascar
+ SEED Madagascar
+ SEED Madagascar is a UK registered charity working alongside a Malagasy NGO which aims to help people in communities in SE Madagascar tackle extreme poverty and preserve one of the planets most unique and endangered environments, working towards health and well-being, sustainable livelihoods and effective management of natural resources. The charity relies on overseas volunteers to support its grassroots projects and it works through various media to raise awareness at an international level about Madagascar.
+
+
+
+ https://staging.giveth.io/project/Harbor-Care
+ Harbor Care
+ At Harbor Care, our purpose is to end homelessness and transform lives. We integrate stable housing, with medical, dental and mental health care, veteran services, substance misuse treatment, employment services and other vital supports that lay the foundation for lasting change. Harbor Care has effectively ended homelessness among key demographics in greater Nashua, including veterans, and those living with HIV/AIDS.
+
+
+
+ https://staging.giveth.io/project/Bend-Redmond-Habitat-for-Humanity
+ Bend-Redmond Habitat for Humanity
+ Seeking to put God’s love into action, Habitat for Humanity brings people together to build homes, communities and hope.
+
+
+
+ https://staging.giveth.io/project/iMentor
+ iMentor
+ iMentor builds mentoring relationships that empower first-generation students to graduate high school, succeed in college, and achieve their ambitions.
+
+
+
+ https://staging.giveth.io/project/Airlink
+ Airlink
+ Airlink is a global humanitarian nonprofit organization delivering critical aid to communities in crisis by providing airlift and logistical solutions to nonprofit partners, changing the way the humanitarian community responds to disasters around the world. Its network includes more than 130 aid organizations and 50 commercial and charter airlines. Since its inception, Airlink has flown more than 8,000 relief workers and transported nearly 5,000,000 pounds of humanitarian cargo. The organization’s logistics expertise, access to aviation resources, and engagement of partners with proven distribution plans ensure precisely the right type of help will reach impacted communities.
+
+
+
+ https://staging.giveth.io/project/Kadin-Emegini-Degerlendirme-Vakfi
+ Kadin Emegini Degerlendirme Vakfi
+ Foundation for the Support of Womens Work (FSWW), established in 1986, is a non-profit, non-governmental organization. It supports grassroots womens leadership throughout Turkey and empowers them in improving the quality of their lives and of their communities. It works with formal or informal women groups in a principled partnership and collaborates with other sectors. The FSWW has Public interest status and tax exemption. The FSWW believes that womens empowerment is not a sole economic issue. It requires strategies integrating transfer of economic resources and democratic participation at all levels, elimination of gender discrimination and exclusion from cultural, political and social arena. The FSWW adopts an empowerment approach of supporting womens bottom-up organizing efforts around their practical needs and building greater self reliance and confidence to meet their more strategic gender issues. Based on this approach, the main empowerment strategies of FSWW are, Provision of public spaces for grassroots women to operate , Capacity building to support grassroots womens organizing efforts and social and livelihood initiatives, and involvement in local governance, Dialogue and negotiation processes to build strategic partnerships at local and national level for resources and recognition, Dissemination of learnings & experience through Networking and Peer Exchanges and publications. FSWWS WORKING PRINCIPLES *Recognizes the grassroots womens expertise and their power in struggling with poverty and building their lives and their communities, and their rights to define and solve their problems. *Respects grassroots womens own values and avoids alienating them from themselves and their communities. *Believes that equal participation of women in social, economic and political decision making process can only be realized at community and local level, seeks cooperation of local governments and other actors in the society. * Works with grassroots women groups in solidarity as equal partners and its programs are rooted in synergy of women. FSWW PROGRAMS FSWW works with grassroots women groups at local level and carries out the following programs in cooperation with them: 1- Early Child Care and Education Program FSWW develops alternative ways in expanding early child care and education services to low-income communities, through the leadership and advocacy role of grassroots women. With an educational approach bringing the children, families, educators and the community together, women cooperatively manage high quality early childcare and education programs. This program is accredited by Vanderbilt University (USA). Based on the local needs and the resources, child care and education services are provided through: Parent-managed Day Care Centers: Community mothers establish and run community based child care and education centers for children of 3-6 years and cooperate with public and other relevant agencies. Neighborhood Mothers: Experienced mothers are trained to provide child care and education services to 3-4 young children at their own homes. Play Rooms: Children are provided with collective spaces arranged for learning thoroughly play and creative activities under the control of their mothers. 2- Collective Capacity Building and Organizing Program FSWWs participatory and process oriented approach aims to strengthen grassroots womens capacity and networking to identify and produce solutions to their common problems, develop self-advocacy skills and become active partners in the local decision making process through such tools; Training :Participatory training programs on such issues as Leadership, Financial Literacy, Entrepreneurship, Basic IT Skills, Political Participation, etc) are developed to provide women the skills and knowledge in dealing with the issues they concern. Study Tours: New groups are provided to study and learn about good practices of mature groups dealing with similar issues. Exchange Meetings: Grassroots women groups are brought together in peers to share their experiences and to learn from each other at local, national and international level. Leadership and Organizing support: Through this program, women groups are trained and supported to increase their leadership skills and organize around their strategic needs and turn into independent, registered local organizations. Through this program, the FSWW achieved to create a grassroots womens movement and created more than 110 women cooperatives all around Turkey. It has also brought these cooperatives in a network and established a formal Union of Women Cooperatives, and started a policy advocacy process for more favorable environment for women cooperatives in areas of tax, registration and access to public resources issues, and recognition as social businesses. The FSWW through its Cooperative Support Center provides women cooperatives technical assistance, consultancy and program support including training of trainers for dissemination of FSWW programs, organizational strategic planning, business development, marketing, etc. It also provides networking and knowledge sharing platforms through web portals and peer exchange meetings, regional and national meetings. These cooperatives engaged in providing community based child care services, training and capacity building for community women, running economic enterprises and building negotiation processes with the local decision makers, reaching annually around 100 000 women. Dialogue Building Meetings: FSWW helps local women cooperatives to come together with other sectors (municipalities, public agencies, universities and other NGOs) for information sharing, visibility, recognition and accessing to resources. In this framework, the FSWW piloted a Gender Based Local Budget analysis and provided the grassroots women with a tool based on "rights" to negotiate with the local governments for resource allocation to their priorities. 3- Economic Empowerment Programs FSWW initiated the following programs in order to build womens capacity for economic involvement. Business and Product Development: Training and monitoring support is provided to enable women to develop business ideas by analyzing the existing local economic and market opportunities and their own skills, and new products with market potential are developed and womens skills are improved accordingly. Micro Credit: FSWW has established a micro credit institution, MAYA. As the first micro credit program of Turkey, it provides credit to women to start or improve their small businesses, till now distributed more than 11.700 loans. Marketing/ Shop: FSWW established a shop at the ground floor of its own building in Istanbul, where various kinds of products (handmade accessories, decorations etc.) produced by individual women producers and women cooperatives from all around Turkey. The womens products are also marketed through internet on the shops web site and other e-commerce sites. FSWW also created second hand bazaar under the same name, with local branches run by women initiatives, the profit of which together with Nahl shop, goes to support collective initiatives to run community based child care services. 4- Women and Disaster Program: From Disaster to Development The FSWW has actively involved in the post disaster efforts after the 17 August 1999 earthquake. It has managed to set up eight Women and Children centers in the region, which are run by women themselves. FSWW enabled women to move from being victims of disaster to active participants in transferring their communities from disaster areas to development. They organized in 6 registered independent organizations working in issues like governance, housing and reconstruction, economic initiatives/sustainability and child care and other community services, additional to a housing cooperative of women. Since 1999, FSWW is cooperating with other organizations in India, Iran, Indonesia etc. with similar experiences as a part of global working group on "Women and Disaster", in order to influence the policies of governments, multinational development and humanitarian agencies to turn a "disaster" into an opportunity for sustainable community development. Based on its experience in post disaster efforts, the FSWW recently started a piloting project in Istanbul cooperating with Istanbul Technical University, for community disaster preparedness under the leadership of women.
+
+
+
+ https://staging.giveth.io/project/Life-Quality-Fund
+ Life Quality Fund
+ Our mission at "quality of life" fund is giving war refugees hope with care, empathy and real help.
+
+
+
+ https://staging.giveth.io/project/Sydney-Wildlife
+ Sydney Wildlife
+ Our mission is to rescue, rehabilitate and release Australian native animals, and to educate the community, at all levels, about the need to protect our native animals and to preserve their habitats.
+
+
+
+ https://staging.giveth.io/project/Uganda-Hands-for-Hope
+ Uganda Hands for Hope
+ Our mission is to alleviate extreme poverty and facilitate lasting change in the lives of the most vulnerable children and families living in urban slums in Uganda.
+
+
+
+ https://staging.giveth.io/project/Drugs-Diagnostics-for-Tropical-Diseases
+ Drugs Diagnostics for Tropical Diseases
+ Drugs & Diagnostics for Tropical Diseases (DDTD) is a unique non-profit (501c3) venture based in San Diego, CA, with a mission “to discover new treatments and develop diagnostics for neglected tropical diseases and other diseases that affect impoverished populations”. These diseases have been typically neglected from research and development efforts due to the perceived lack of profitability.
+
+
+
+ https://staging.giveth.io/project/Wilson-Disease-Association
+ Wilson Disease Association
+ The Wilson Disease Association funds research and facilitates and promotes the identification, education, treatment and support of patients and individuals affected by Wilson disease.
+
+
+
+ https://staging.giveth.io/project/Save-the-Children-International
+ Save the Children International
+ to improve the lives of children through better education, health care, and economic opportunities, as well as providing emergency aid in natural disasters, war, and other conflicts.
+
+
+
+ https://staging.giveth.io/project/Trips-for-Kids-Marin
+ Trips for Kids Marin
+ Mission:
+To provide transformative cycling experiences for underserved youth. Our programs build self-esteem, inspire healthy lifestyles and instill environmental values.
+
+
+
+ https://staging.giveth.io/project/Impact-Church
+ Impact Church
+ What began as a bible study for the Arizona Cardinals was opened to the public and quickly grew to become one of the fastest growing churches in the nation. Impact Church is known for diversity, authenticity, and throwing a huge party celebrating Jesus each weekend!
+
+
+
+ https://staging.giveth.io/project/WE-REACH
+ WE REACH
+ Promote the rights and well being of our children and youth through capacity building, advocacy and education.
+
+
+
+ https://staging.giveth.io/project/EmBe
+ EmBe
+ Empowering women and families to enrich lives.
+
+
+
+ https://staging.giveth.io/project/YMCA-of-the-Suncoast
+ YMCA of the Suncoast
+ We put Christian principles into practice through programs that build healthy spirit, mind and body for all.<br><br>The YMCA of the Suncoast in an integral part of the community. From families to seniors, young kids to teens, all belong at the Y where everyone has the chance to grow, develop and thrive. Your support allows the Y to be there for those who need us most. Whether it is for Safety Around Water, Livestrong at the YMCA or academic success, your gift changes lives.
+
+
+
+ https://staging.giveth.io/project/Only-One-Inc
+ Only One, Inc
+ Harness the power of storytelling, collective action, and crowdfunding to rebuild ocean life for people and nature.
+
+
+
+ https://staging.giveth.io/project/Ladies-Turn
+ Ladies Turn
+ Ladies Turn is working at the grassroots level, organizing football matches in the hearts of Senegalese neighborhoods, to give Senegalese girls and women their turn to play. While football is extremely popular in Senegal, it is considered a mens sport, meaning that most girls do not have an opportunity to play. Girls also face disparities in the educational system: while primary education for girls in Senegal has made significant gains, most girls never complete secondary school. <br><br>To change this reality, Ladies Turn aims to: <br>i.) Expand opportunities for girls to play soccer. <br>ii.) Promote girls education and personal development.<br>iii.) Promote gender equality through soccer. <br><br>By expanding opportunities for girls to play soccer, Ladies Turn also seeks to promote gender equality and womens empowerment. By presenting women in roles as athletes, Ladies Turn works to challenge traditional gender roles. Soccer also presents a unique opportunity to contribute positively to girls self confidence and personal development. The players who participate in Ladies Turn activities make lasting friendships and cultivate relationships with significant mentor figures such as coaches. In addition to soccer matches, Ladies Turn is piloting activities to encourage girls to stay in school and promote sports and education. Ladies Turn believes that soccer is a powerful tool for development.
+
+
+
+ https://staging.giveth.io/project/Calvary-Assembly-of-God
+ Calvary Assembly of God
+ At Calvary Church, our vision is life change. Jesus said that He came to give us life in all its fullness (John 10:10). It is our firm belief that God has created us to connect with one another, grow in faith and serve others.
+
+
+
+ https://staging.giveth.io/project/Philippine-Red-Cross
+ Philippine Red Cross
+ To be the foremost humanitarian organization ready to meet the challenges and capable of rapid delivery of humanitarian services in order to prevent and alleviate human suffering and uplift the dignity of the most vulneralble.
+
+
+
+ https://staging.giveth.io/project/Blockfrens-Inc
+ Blockfrens, Inc
+ At Blockfrens, our mission is to empower and uplift marginalized and underserved communities by bridging the gap between technology, art, and education. We strive to provide access to essential resources, foster financial literacy, and cultivate creative expression, ultimately driving lasting change and breaking the cycle of intergenerational inequity.
+
+
+
+ https://staging.giveth.io/project/Lakeview-Pantry
+ Lakeview Pantry
+ Lakeview Pantry works with our neighbors to overcome hunger, improve mental wellness, and achieve life goals. Our food programs, social services, and mental health counseling provide the resources our neighbors need to thrive.
+
+
+
+ https://staging.giveth.io/project/Health-Fund-for-Children-of-Armenia
+ Health Fund for Children of Armenia
+ Who We Are<br><br>Our mission is to help create a bright future for children experiencing severe health complications. For the past 11 years, we have been doing everything that we can to help children with these severe issues. By organizing events and programs, we built relationships with foreign doctors and clinics. In turn, a collective of medical providers and institutions gathered together to create the Health Fund for Children of Armenia - more effectively administering medicine and implementing institutional reforms in the Republic of Armenia and the Republic of Artsakh.<br><br>What We Do<br><br>The Fund finances the treatment of children with severe health problems living in the Republic of Armenia and the Republic of Artsakh through fundraising.<br><br>By collaborating with leading international clinics and doctors, the Fund provides children with necessary treatment by well-renowned Armenian medical providers and institutions.<br><br>The Fund upgrades and modernizes medical institutions and organizes training for medical staff.<br><br>The Fund conducts research in healthcare and nonprofit sectors and submits legislative proposals on needed reforms.
+
+
+
+ https://staging.giveth.io/project/Kettering-Health-Foundation
+ Kettering Health Foundation
+ Kettering Health Foundation supports the work of Kettering Health, a network of hospitals, a college, clinics, and emergency departments across Southwest Ohio. Our mission is to improve the quality of life of people in the communities we serve through healthcare and education.
+
+
+
+ https://staging.giveth.io/project/Un-Techo-para-mi-Pais-Mexico-A-Roof-for-my-Country
+ Un Techo para mi Pais Mexico A Roof for my Country
+ Work Tirelessly to overcome extreme poverty in slums, through training and joint action of families and youth volunteers. Furthermore, to promote community development, denouncing the situation in which the most excluded communities live. Raiding awarenes amongst young peopole regarding the situation in which many families live accross the country. And lastly, to advocate for social policies with other actors in society.
+
+
+
+ https://staging.giveth.io/project/Northeast-Christian-Church
+ Northeast Christian Church
+ Living the beautiful way of Jesus so that Fort Wayne and the Nations sing for Joy.
+
+
+
+ https://staging.giveth.io/project/United-Way-Trinidad-and-Tobago
+ United Way Trinidad and Tobago
+ To mobilize human, financial and physical resources for the benefit of community service organizations in Trinidad & Tobago. We shall conduct all our affairs with integrity and transparency.
+
+
+
+ https://staging.giveth.io/project/MKONO-MICROFINANCE
+ MKONO MICROFINANCE
+ Mkono Microfinances mission is to create lasting social and economic impact by empowering young entrepreneurs in low-income countries. Currently operational in Kenya, Mkono provides entrepreneurs with affordable loans and mentorship sessions from our global network of selected mentors. <br><br>Mkono effectively achieves its mission by partnering with local entrepreneur support organizations - primarily incubators, accelerators, and mentorship programs - to identify high-potential entrepreneurs and facilitate the deployment of our services. <br><br>Mkono means hand in Swahili, one of the local languages in Kenya. We give a hand to young entrepreneurs and equip them with the capital and knowledge needed to impact change in their communities.
+
+
+
+ https://staging.giveth.io/project/Air-Force-Association
+ Air Force Association
+ Our mission is to promote dominant U.S. Air and Space Forces as the foundation of a strong National Defense;to honor and support our Airmen, Guardians, and their families;and to remember and respect our enduring Heritage.
+
+
+
+ https://staging.giveth.io/project/Fatima-Memorial-Hospital
+ Fatima Memorial Hospital
+ Quality healthcare to patients from all walks of life without discrimination
+
+
+
+ https://staging.giveth.io/project/Support-Yemeni-Society-Organization-for-Development-SYS
+ Support Yemeni Society Organization for Development SYS
+ Support Yemeni Society Organization SYS seeks to provide distinctive and effective contributions to the Yemeni people in need through inclusive humanitarian and developmental projects that maintain human dignity.<br><br>OUR GOALS <br>1. Provide sustainable projects that alleviate poverty in Yemen. <br>2. Work in partnership with international and local organizations to achieve global goals. <br>3. Education development.<br>4. Spread Social peace culture. <br>OUR VALUES<br>1. Transparency <br>2. Integrity <br>3. Sustainability <br>4. Equality <br>5. commitment <br>6. Humanism <br>7. Mercy <br>8. Partnership and Cooperation
+
+
+
+ https://staging.giveth.io/project/ABCs-and-Rice
+ ABCs and Rice
+ The mission of ABCs and Rice is to activate global awareness and helpful resources on the plight of those caught in a cycle of poverty; and to initiate, operate effective community projects, based on the concept of educating children in their native culture and English literacy, while concurrently nurturing the physical and psychological well-being of the children and their families.
+
+
+
+ https://staging.giveth.io/project/Maryland-Hall-for-the-Creative-Arts
+ Maryland Hall for the Creative Arts
+ Dedicated to Art for All, Maryland Hall is the region’s cultural core, convening and engaging all people—no matter age or background—in arts experiences that strengthen community.
+
+
+
+ https://staging.giveth.io/project/Shanthi-Maargam
+ Shanthi Maargam
+ Shanthi Maargam aims to provide safe spaces to enhance young peoples emotional well being and create opportunities for learning & growth.
+
+
+
+ https://staging.giveth.io/project/Chattanooga-Area-Food-Bank-Inc
+ Chattanooga Area Food Bank, Inc
+ The Chattanooga Area Food Banks mission is to lead a network of partners in eliminating hunger and promoting better nutrition in our region.
+
+
+
+ https://staging.giveth.io/project/Alvernia-University
+ Alvernia University
+ Guided by Franciscan values and the ideal of “knowledge joined with love,” and rooted in the Catholic and liberal arts traditions, Alvernia is a rigorous, caring, and inclusive learning community committed to academic excellence and to being and fostering broadly educated, life-long learners; reflective professionals and engaged citizens; and ethical leaders with moral courage.
+
+
+
+ https://staging.giveth.io/project/SickKids-Foundation
+ SickKids Foundation
+ We inspire our communities to invest in health and scientific advances to improve the lives of children and their families in Canada and around the world.
+
+
+
+ https://staging.giveth.io/project/XSProject
+ XSProject
+ Based in Jakarta, Indonesia, XSProject is a non-profit organization and World Fair Trade member.<br>Our mission is to raise global awareness of the effects of trash on the environment and society.<br>We strive to break the generational cycle of trash picking by educating trash pickers and other children of poverty and by bringing dignity and self esteem to the communities we serve.<br>We advocate for consumer recycling by producing and selling products made from trash.
+
+
+
+ https://staging.giveth.io/project/Disabled-American-Veterans
+ Disabled American Veterans
+ We are dedicated to a single purpose: empowering veterans to lead high-quality lives with respect and dignity. We accomplish this by ensuring that veterans and their families can access the full range of benefits available to them; fighting for the interests of America’s injured heroes on Capitol Hill; and educating the public about the great sacrifices and needs of veterans transitioning back to civilian life.
+
+
+
+ https://staging.giveth.io/project/National-Gallery-of-Art
+ National Gallery of Art
+ National Gallery’s mission is to serve the nation by welcoming all people to explore and experience art, creativity, and our shared humanity. Your gift will enhance programs across the National Gallery of Art, including education resources, special exhibitions, art acquisitions, art conservation, and more.
+
+
+
+ https://staging.giveth.io/project/Internet-Security-Research-Group
+ Internet Security Research Group
+ Digital infrastructure for a more secure and privacy-respecting world.
+
+
+
+ https://staging.giveth.io/project/Beit-Uri
+ Beit Uri
+ Beit Uri is a residential village for the special needs population. School, job-inclusion, rehabilitation, therapeutic care and an assisted-living facility - the home offers a life of dignity. creativity and inclusion in society.
+
+
+
+ https://staging.giveth.io/project/The-University-of-Cincinnati-Foundation
+ The University of Cincinnati Foundation
+ To inspire a community of UC and UC Health supporters through the power of philanthropy.
+
+
+
+ https://staging.giveth.io/project/Convoy-of-Hope
+ Convoy of Hope
+ Convoy of Hope is a faith-based, nonprofit organization with a driving passion to feed the world through childrens feeding initiatives, community outreach, and disaster response.
+
+
+
+ https://staging.giveth.io/project/The-House
+ The House
+ The House Modesto is here to meet the needs of people and to win our city for Jesus. We are a church with a tremendous destiny and calling to reach our city.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-the-Tri-State-Community-Inc
+ Foundation for the Tri-State Community, Inc
+ The Foundation for the Tri-State Community engages donors to build community wealth for a stronger region.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Nuevo-Futuro
+ Asociacion Nuevo Futuro
+ Provide a safe and nurturing environment where vulnerable children can live and thrive. We aim to create a nurturing home with educational and psychological support in order for the children to develop security and self confidence with the ultimate goal of creating opportunities and breaking the cycle of abuse.
+
+
+
+ https://staging.giveth.io/project/Movember-USA
+ Movember USA
+ Movember is the leading charity changing the face of men’s health on a global scale, focusing on mens mental health and suicide prevention, prostate cancer, and testicular cancer. The charity raises funds to deliver breakthrough biomedical research and support programs that enable men to live happier, healthier, and longer lives. 6 million have joined the movement since 2003, helping raise US$1 billion in peer-to-peer fundraising supporting 1,250 projects globally.
+
+
+
+ https://staging.giveth.io/project/Colectivo-Traso
+ Colectivo Traso
+ Fundacion Mamonal is a civil and business social group that develops initiatives, articulates efforts and manages alliances in search of raising peoples quality of life, generating prosperity in communities and reducing the inequality gap in the population. Since 1975, we was born as Fundacion Mamonal, but in october 2019 our brand becomes in TRASO, Colectivo de Transformacion Social (Social Transformation Colective) in order to be aligned with the new demands of the social sector. However, we continue to preserve our essence, our mission, vision and our legal nature as a non-profit organization (NGO).
+
+
+
+ https://staging.giveth.io/project/Saving-Nature-Inc
+ Saving Nature, Inc
+ Saving Nature focuses on the most biodiverse places on Earth where species face imminent threats of extinction. We reconnect isolated forests to liberate species living in habitats too small for their survival.<br><br>Working with local conservation partners, we buy degraded land and plant native trees to rescue biodiversity, fight climate change, and save local communities from environmental destruction.
+
+
+
+ https://staging.giveth.io/project/Hande-fur-Kinder-e-V
+ Hande fur Kinder e V
+ Helping families who take care of a disabled child day by day by giving them the opportunity for a break/ a vacation in order to strengthen the whole family.
+
+
+
+ https://staging.giveth.io/project/Equality-California-Institute
+ Equality California Institute
+ Equality California brings the voices of LGBTQ+ people and allies to institutions of power in California and across the United States, striving to create a world that is healthy, just, and fully equal for all LGBTQ+ people. We advance civil rights and social justice by inspiring, advocating, and mobilizing through an inclusive movement that works tirelessly on behalf of those we serve.
+
+
+
+ https://staging.giveth.io/project/Students-for-Life-of-America
+ Students for Life of America
+ Students for Life of America exists to recruit, train, and mobilize the pro-life generation to abolish abortion.
+
+
+
+ https://staging.giveth.io/project/GiveA-Few-Words-CIC
+ GiveA Few Words CIC
+
+
+
+
+ https://staging.giveth.io/project/RUNNING-FOR-A-BETTER-OAKLAND
+ RUNNING FOR A BETTER OAKLAND
+ Running for a Better Oakland (RBO) is a non-profit organization that encourages kindergarten through 12th grade Oakland students to develop healthy lifestyles through running. By providing training and encouragement, RBO helps students build confidence and set goals, giving them tools for achievement and hard work that they can draw on in all areas of their lives.
+
+
+
+ https://staging.giveth.io/project/The-Catholic-University-of-America
+ The Catholic University of America
+ As the national university of the Catholic Church in the United States, founded and sponsored by the bishops of the country with the approval of the Holy See, The Catholic University of America is committed to being a comprehensive Catholic and American institution of higher learning, faithful to the teachings of Jesus Christ as handed on by the Church. <br><br>Dedicated to advancing the dialogue between faith and reason, The Catholic University of America seeks to discover and impart the truth through excellence in teaching and research, all in service to the Church, the nation and the world.
+
+
+
+ https://staging.giveth.io/project/Soydoy-Foundation
+ Soydoy Foundation
+ We contribute to the strengthening of knowledge and skills of vulnerable communities, by adapting a self-sustainable model that improves their food security
+
+
+
+ https://staging.giveth.io/project/Equality-Ohio-Education-Fund
+ Equality Ohio Education Fund
+ Equality Ohio identifies and transforms systems and institutions so LGBTQ+ Ohioans can fully access legal and lived equality.
+
+
+
+ https://staging.giveth.io/project/Indochina-Starfish-Foundation
+ Indochina Starfish Foundation
+ ISF believes every child, no matter where they were born, should receive quality education and care. We support the poorest of the poor in Cambodia with education, healthcare and sport, giving them the tools they need to build a better future.
+
+
+
+ https://staging.giveth.io/project/Ingleby-Mill-Primary-School
+ Ingleby Mill Primary School
+
+
+
+
+ https://staging.giveth.io/project/Family-and-Youth-Initiative-Inc
+ Family and Youth Initiative Inc
+ Family & Youth Initiative creates a supportive community and lasting relationships for teens and young adults who are in or have aged out of foster care.
+
+
+
+ https://staging.giveth.io/project/The-Discalced-Hermits-of-Our-Lady-of-Mount-Carmel
+ The Discalced Hermits of Our Lady of Mount Carmel
+ The Discalced Hermits of Our Lady of Mount Carmel is a Roman Catholic religious order observing the ancient Carmelite charism as it was lived on Mount Carmel and in the Discalced Carmelite Holy Deserts.
+
+
+
+ https://staging.giveth.io/project/SOS-Kinderdorf-eV
+ SOS-Kinderdorf eV
+ SOS-Kinderdorf e.V. is committed to improving the living conditions of socially disadvantaged children, young people and their families - as a youth welfare organisation and aid agency in Germany and worldwide.<br>We support young people and families at over 230 locations in Germany through a wide range of services.<br><br>Our motto: Giving children hope and a future<br><br>Giving children a safe home - that is our mission. As a politically and denominationally independent social organization, we have the opportunity to make the world a little better. SOS-Kinderdorf e.V. is one of the major sponsoring associations in the globally active umbrella organization SOS Childrens Villages International.<br><br>SOS-Kinderdorf e.V. is a renowned aid organization and a nationwide youth welfare provider - with clearly defined statutes, a forward-looking mission statement and a well-founded strategy.
+
+
+
+ https://staging.giveth.io/project/MFI-POLYTECHNIC-INSTITUTE-INC
+ MFI POLYTECHNIC INSTITUTE INC
+ We commit in partnership with industry and other stake holders to the growth of enterprises and prosperity of communities.<br>We commit to provide holistic technical education and train individuals to become competent industry professionals.<br>We commit to develop our MFI team to be efficient, highly motivated and guided by positive work values.
+
+
+
+ https://staging.giveth.io/project/International-Fund-for-Animal-Welfare-(IFAW)
+ International Fund for Animal Welfare (IFAW)
+ The International Fund for Animal Welfare is a global non-profit helping animals and people thrive together. We are experts and everyday people, working across seas, oceans, and in more than 40 countries around the world. We rescue, rehabilitate, and release animals, and we restore and protect their natural habitats.
+
+
+
+ https://staging.giveth.io/project/Catholic-Medical-Mission-Board-Inc-(CMMB)
+ Catholic Medical Mission Board, Inc (CMMB)
+ Our vision is a world in which every human life is valued, and health and human dignity are shared by all. Inspired by the example of Jesus, CMMB works in partnership globally to deliver locally sustainable, quality health solutions to women, children, and their communities..
+
+
+
+ https://staging.giveth.io/project/Bridgehampton-Child-Care-and-Recreational-Center
+ Bridgehampton Child Care and Recreational Center
+ THE CENTER is an historically Black, community-based institution serving marginalized East End children and families. THE CENTER encourages, educates, and empowers East End children and their families.
+
+
+
+ https://staging.giveth.io/project/Lebenshilfe-Main-Spessart-eV-Wohnstatte-Lohr-Steinbach
+ Lebenshilfe Main Spessart eV-Wohnstatte Lohr-Steinbach
+
+
+
+
+ https://staging.giveth.io/project/Refugee-Rescue
+ Refugee Rescue
+ Our vision<br>A future where all those fleeing violence, abuse, hardship and war have the right to safe passage at sea.<br><br>Our mission<br>Refugee Rescue offers skilled emergency assistance to migrants in distress in the Mediterranean Sea. We bear witness to human rights violations and advocate to make local authorities and intergovernmental bodies accountable for their actions.<br><br>About Refugee Rescue<br>Refugee Rescue is a grass-roots NGO currently operating a skilled Search and Rescue (SAR) team helping displaced people at sea reach safe shores. It was formed in 2015 by ordinary Irish citizens in response to the humanitarian crisis in the Aegean Sea when thousands of people were arriving by boat, having been displaced by war, conflict, and persecution. In Greece, our crew and volunteers saved over 15,000 people in distress. After being forced to suspend operations for 9 months, we are operating once again, in partnership with the rescue organisation Sea-Eye. Our life-saving rescue vessel, named Mo Chara (meaning my friend in Irish) forms a crucial part of the Sea-Eye 4 ship. <br><br>Our small and dedicated team is made up of a few core staff and many committed volunteers who work tirelessly to keep Mo Chara afloat. We share the same values of diversity, equality, integrity, respect and transparency that guide us. And none of our missions would have been possible without the generosity of hundreds of donors and partners who have enabled us to save lives. Please join us in our efforts - make a donation now.<br><br>Registered charity name: Refugee Rescue - Date registered. 04/04/2016<br>Registered charity number: Charity Commission Number 105156 & HMRC Number <br>NI00583
+
+
+
+ https://staging.giveth.io/project/Dallas-Jewish-Community-Foundation
+ Dallas Jewish Community Foundation
+ To be your partner and trusted expert in charitable giving and effective philanthropy by:<br><br>- Empowering our community’s charitable vision<br>- Safeguarding our community’s resources<br>- Building enduring legacies
+
+
+
+ https://staging.giveth.io/project/Jewish-Community-Foundation-Orange-County
+ Jewish Community Foundation Orange County
+ At the Jewish Community Foundation Orange County, we seek to guarantee a Jewish tomorrow through the creation of a culture of legacy within the local Jewish community.
+
+
+
+ https://staging.giveth.io/project/Solutions-4-Homeless-CIC
+ Solutions 4 Homeless CIC
+
+
+
+
+ https://staging.giveth.io/project/The-Greg-Hill-Foundation
+ The Greg Hill Foundation
+ The Greg Hill Foundation responds to immediate requests for assistance, to improve the lives of local families touched by tragedy through matching the charitable donation of Greg’s media audience. Since its inception in 2010, The Greg Hill Foundation has donated over $19,000,000 to more than 1900 beneficiaries in need of assistance. For more information on the foundation please visit www.thegreghillfoundation.org.
+
+
+
+ https://staging.giveth.io/project/Lymphovenous-Association-of-OntarioOntario
+ Lymphovenous Association of OntarioOntario
+ We are committed to improving the lives of people living with lymphedema. Fostering a supportive environment where persons affected by lymphovenous disorders can share their experiences and provide emotional support. Promoting education of the public, health care professionals and those affected by lymphevenours disorders with respect to causes and treatment of these disorders. Promoting research towards improved methods of treatment and a cure for lymphevenous disorders.
+
+
+
+ https://staging.giveth.io/project/Catherine-Violet-Hubbard-Animal-Sanctuary
+ Catherine Violet Hubbard Animal Sanctuary
+ The Catherine Violet Hubbard Animal Sanctuary enriches the lives of all beings by honoring the bond between animals, humans, and the environment. Through compassion and acceptance, were creating a kinder and gentler world for all.
+
+
+
+ https://staging.giveth.io/project/Thousand-Currents
+ Thousand Currents
+ Thousand Currents envisions a world where humanity is in a reciprocal and interdependent relationship with nature and creates loving, equitable, and just societies. We leverage relationships, and financial and intellectual resources worldwide, with and in support of grassroots groups and social movements building loving, equitable, and just futures. We work to transform philanthropic and investment practices towards justice and equity.
+
+
+
+ https://staging.giveth.io/project/Green-Releaf-Initiative-Inc
+ Green Releaf Initiative, Inc
+ We envision thriving community ecosystems practicing and showcasing regenerative solutions in the face of climate change and other radical transitions. <br><br>Through regenerative design and solutions, we inspire, empower, and model the many benefits of whole systems to support resilience and regeneration in communities. <br><br>We aim to to activate, demonstrate, and catalyze regenerative practices and model communities through <br><br><br>1) Education<br>We work with inclusive and community - led place based learning through the development of demonstration sites for regenerative solutions. <br> <br>2) Empowerment<br>Developing community -led leadership from within through life skills and the enhancement of capacities to lead in times of complexity after radical changes. <br> <br>3) Earth Care <br>Through ecosystems based adaptation and practices that heal our connection to the earth, we hope to restore and regenerate natural and human habitats to benefit both people and the planet for generations to come.
+
+
+
+ https://staging.giveth.io/project/Taller-Salud-Inc
+ Taller Salud, Inc
+ Taller Salud, Inc. is a feminist grassroots organization that works towards the health and well-being of girls, young women and adult women, primarily targeting low-income communities.
+
+
+
+ https://staging.giveth.io/project/Los-Angeles-County-Museum-of-Art
+ Los Angeles County Museum of Art
+ LACMA’s mission is to serve the public through the collection, conservation, exhibition, and interpretation of significant works of art from a broad range of cultures and historical periods, and through the translation of these collections into meaningful educational, aesthetic, intellectual, and cultural experiences for the widest array of audiences.
+
+
+
+ https://staging.giveth.io/project/Cato-Institute
+ Cato Institute
+ The mission of the Cato Institute is to originate, disseminate, and increase understanding of public policies based on the principles of individual liberty, limited government, free markets, and peace.<br>Our vision is to create free, open, and civil societies founded on libertarian principles. To that end, our scholars and analysts conduct and publish independent, nonpartisan research on a wide range of policy issues across more than 14 research areas, including law and civil liberties, tax and budget policy, regulatory studies, health care and welfare, education, finance, banking and monetary policy, foreign policy and national security, trade policy, and international development.
+
+
+
+ https://staging.giveth.io/project/Ligonier-Ministries
+ Ligonier Ministries
+ Ligonier Ministrys mission is to proclaim, teach, and defend the holiness of God in all its fullness to as many people as possible.
+
+
+
+ https://staging.giveth.io/project/Technovation
+ Technovation
+ Technovation’s mission is to empower girls and their families to use mobile and artificial intelligence (AI) technologies to tackle real-world problems in their communities.
+
+
+
+ https://staging.giveth.io/project/ZA-Cheetah-Conservation
+ ZA Cheetah Conservation
+ Our Mission is to raise awareness of the vulnerability of South African species and other endangeredspecies through educational experiences, as well as ethically breeding cheetahs in captivity.<br><br>At Cheetah Experience, our animals come first, and everything we do is for our animals. Our current focusis to ensure that our Cheetah Breeding project aids in the conservation of the Cheetah, by using the DNA samples taken from our Cheetahs to maintain genetic diversity. We work along-side other ethical and responsible projects to help secure the Cheetahs future survival.From a recent study in 2016, the global population of the cheetah is estimated at 7,100 individuals, and confined to 9% of their historical distributional range. <br><br>Our Long Term visionis to be able to release some animals into a protected yet self-sustaining natural habitat where animals are still monitored by researchers and medical experts but live free. Understanding their needs, behaviour and instincts plays a key role in saving animals from extinction.
+
+
+
+ https://staging.giveth.io/project/DEPDC
+ DEPDC
+ DEPDC is a non-governmental, non-profit community-based organization that provides education and full-time accommodation to children in prevention and protection of being trafficked into the commercial sex industry and other exploitative labor conditions.
+
+
+
+ https://staging.giveth.io/project/A-Just-Harvest
+ A Just Harvest
+ A Just Harvest’s mission is to fight poverty and hunger in the Rogers Park and greater Chicago community by providing nutritious meals daily while cultivating community and economic development and organizing across racial, cultural and socioeconomic lines in order to create a more just society.
+
+
+
+ https://staging.giveth.io/project/Centro-de-Aprendizaje-Ananda
+ Centro de Aprendizaje Ananda
+ Mission: Develop, implement and disseminate a holistic, contextualized and individualized education capable of fully developing each childs capacities.
+
+
+
+ https://staging.giveth.io/project/Tempe-Community-Action-Agency-Inc
+ Tempe Community Action Agency Inc
+ The mission of Tempe Community Action Agency (TCAA) is to foster dignity and self-reliance for the economically vulnerable in the communities we serve. This work is accomplished through six primary focus areas: Hunger Relief, Housing Security, Senior Independence, Healthy Families, Economic Advancement, and Community Engagement.
+
+
+
+ https://staging.giveth.io/project/National-Network-of-Abortion-Funds-2
+ National Network of Abortion Funds 2
+ Texas Equal Access Fund helps low-income people in northern Texas who want an abortion and cannot afford it.
+
+
+
+ https://staging.giveth.io/project/Childhope-Philippines-Foundation-Inc
+ Childhope Philippines Foundation, Inc
+ We believe that street children, as human beings created in the image of the Supreme Being, have inherent worth and dignity, and therefore should be given the right to live, to be protected from any form of abuse, and to be given opportunities to express themselves and maximize their potentials, in order to help themselves and others. We envision a Philippines where urban poor children, especially children in street situations, gain access to the fulfilment of their rights, and have them protected and upheld, for them to develop and become accepted and responsible members of society. Childhope Philippines works towards the protection and fulfillment of childrens rights through integrated direct service programs in education, health, and social services, aimed at the holistic development of Filipino street children in Metro Manila.
+
+
+
+ https://staging.giveth.io/project/Deutscher-Kinderschutzbund-OV-Koeln-eV
+ Deutscher Kinderschutzbund OV Koeln eV
+ (Taken from the statute)<br>2 Purpose<br>(1) the Kinderschutzbund Cologne stands up for:<br>- the realisation of childrens rights based on the german constitution and the implementation of the UN-convention on the rights of children<br>- the realisation of a child-friendly society<br>- the promotion and conservation of a child-friendly environment<br>- the promotion of the mental, social and physical development of children, while especially taking into account the different situations of girls and boys<br>- the protection of children from exclusion, discrimination and violence in every form<br>- social justice for all children<br>- for the appropriate participation of children, related to their age, in all decisions, planing and matters that concern them<br>- child-friendly behaviour/acting of all individuals and of all societal groups<br>- the promotion of youth aid
+
+
+
+ https://staging.giveth.io/project/AIFO-Ass-Italiana-Amici-di-Raoul-Follereau
+ AIFO - Ass Italiana Amici di Raoul Follereau
+ AIFO is an international NGO, with the headquarters in Bologna-Italy, carrying out social and health international cooperation initiatives.<br><br>AIFO was founded in 1961, inspired by the thought of the French journalist Raoul Follereau. AIFO has a capillary network of official groups of volunteers all over the Italian country.<br><br>AIFOs vision and mission stem from the precepts of Raul Follereau:<br><br> The vision is to develop actions that contribute spreading and building a "civilization of love".<br><br> The mission is to promote cooperation policies aimed at the self-development of peoples, while implementing specific social and health intervention programs.<br><br>Our work is endorsed by the Italian Ministry of Foreign Affairs, the European Commission, the Swedish International Development Cooperation Agency and UN Agencies, among others. We are an official partner of the WHO, the International Federation of Anti-Leprosy Associations (ILEP), the International Disability and Development Consortium (IDDC) and the Italian Network Disability and Development (RIDS).<br><br>AIFO promotes initiatives through the establishment of Country-Programs, each with its strategy and action plans. In Liberia, Mozambique, Guinea Bissau, Mongolia and Brazil we have a National Coordination Office. In Brazil, Mongolia and India, we facilitated the establishment of local "sister organizations" closely linked to AIFO: BRASA (Brasil Saude e Acao) in Brazil, Teghs Niigem in Mongolia and Amici Trust in India.<br><br>AIFO activities can be divided into two main groups:<br><br>1) International Health Co-operation:<br><br>- Primary health care, with a special focus to leprosy and other Neglected Tropical Diseases<br><br>- Community-based Inclusive Development (CBID) programmes open to all the different groups of persons with disabilities, including persons with disabilities due to leprosy and persons with mental illness.<br><br>2) Global Citizenship Education in Italy, including training courses, refresher courses, meetings, seminars, conferences and workshops. The awareness actions in Italy are carried out by AIFO groups of volunteers, who are very effective for public mobilisation and advocacy actions.<br><br>In 2021 we have active projects in Brazil, Tunisia, Guinea Bissau, Liberia, Mozambique, India, China and Mongolia.
+
+
+
+ https://staging.giveth.io/project/Calcutta-Rescue
+ Calcutta Rescue
+ Calcutta Rescue works to significantly enhance the well-being, learning and living standards of the poorest communities in and around Kolkata. It only works in areas of high need where there is inadequate provision by government, non-profit or private organisations.<br>It initiates alliances and work collaboratively with others to ensure delivery of quality services to these communities. It also provides specialist healthcare assistance for impoverished people approaching Calcutta Rescue from other districts where such services are deficient.
+
+
+
+ https://staging.giveth.io/project/Hope-Ofiriha
+ Hope Ofiriha
+ We empower women and children living in rural communities to overcome social injustice, disease, illiteracy, and poverty. Our small-scale interventions enhance their social and economic well being and help them reach their potential.
+
+
+
+ https://staging.giveth.io/project/The-Sentencing-Project
+ The Sentencing Project
+ The Sentencing Project advocates for effective and humane responses to crime that minimize imprisonment and criminalization of youth and adults by promoting racial, ethnic, and gender justice.
+
+
+
+ https://staging.giveth.io/project/Puerta-Abierta-IAP
+ Puerta Abierta IAP
+ Mission <br>Empower girls, boys and youth to prevent violence.<br>Vision<br>Changing Mexico with the power of family.<br><br>OBJECTIVES<br>Puerta Abierta knows that the most important legacy these children can receive is love from the institution caregivers within this new family and the opportunity for quality education.<br>This project will allow them to build a world full of opportunities and achievements.<br><br>Love<br><br>-Form a loving family so they can build the bonds that will protect and accompany them throughout their lives.<br>-Give them the protection and security they require for healthy development through respect and affection.<br>-Provide moral and spiritual guidance to enable them to grow in love and respect for themselves and those around them.<br>-Teaching is always by example; hurtful aggression will never be allowed again.<br><br>2.-Quality Education<br>- Due to their elementary school upbringing, all the girls have academic performance lags.These problems are addressed individually and with better resources.<br>-Offer the academic opportunities that any child deserves. This will give them the tools required to become self-sufficient and independent so they can stand up for themselves. .<br>-Develop their skills and strengths by providing the tools they require to achieve success.<br>-Academic tuition and support with learning disabilities when needed.<br>-English and computer learning support as these are key for vocational training to achieve their dreams. -Enrollment in extracurricular activities to give them useful tools to face the world as adults<br><br>Life Project<br>The girls and young women will remain at home until they decide to form their own family or choose to start their independent life. This is called a life project; there is no release date.<br>Each girls individual decision will be supported regardless of chosen career or profession as long as they show commitment and effort in achieving their goal.
+
+
+
+ https://staging.giveth.io/project/VLUCHTELINGENWERK-VLAANDEREN
+ VLUCHTELINGENWERK VLAANDEREN
+
+
+
+
+ https://staging.giveth.io/project/Dzherelo-Childrens-Rehabilitation-Centre
+ Dzherelo Childrens Rehabilitation Centre
+ The Dzherelo Childrens Rehabilitation Centre provides a comprehensive program of educational and rehabilitation services to children and youth with Cerebral Palsy, Down Syndrome, Autism, as well as other developmental disorders. Dzherelo was created as an alternative to the state-run institutions and operates as a non-profit organization. Dzherelo Centre works towards an inclusive society that welcomes people with special needs and provides them opportunities to develop their full potential. To date, Dzherelo Centre has served over 5000 youth since 1993. We assist up to 170 youth on a daily basis, provide round-trip transportation, and meals.
+
+
+
+ https://staging.giveth.io/project/Aktion-Deutschland-Hilft-eV
+ Aktion Deutschland Hilft eV
+ Aktion Deutschland Hilft, Germanys Relief Coalition is a union of German relief organisations that can provide rapid and effective aid in the case of large catastrophes and emergency situations abroad. To further optimise their previously successful work, the participating organisations bring together their many years of experience in humanitarian aid abroad. In exceptional cases, Aktion Deutschland Hilft is also active at home. The idea of integrating their respective knowledge and specific abilities, and through mutual extension to efficiently bundle measures for aid, unites the continued independent initiators of this mutual campaign. Overlapping and gaps in provision can already be avoided in the forefront of aid campaigns in this way. During the acute phase of a catastrophe abroad, Aktion Deutschland Hilft turns to the public with a mutual appeal for funds. Germanys Relief Coalition appeals for funds appear under the account number 102030 at the Bank fur Sozialwirtschaft. The existing administrative structures and capacities of the member organisations help to lower costs and to use directly the highest possible share of the collected donations for aid. Distribution of the donation monies takes place via a key that takes into account the capacity and capacity profile of the respective participating relief organisations. Successful examples for this system that is to be implemented by Germanys Relief Coalition exist in Great Britain and Switzerland. The Disaster Emergency Committee and the Swiss Gluckskette verify that a united approach when confronting large catastrophes eases the work of the helpers.
+
+
+
+ https://staging.giveth.io/project/Advocacy-Research-Training-and-Services-(ARTS)-Foundation
+ Advocacy, Research, Training and Services (ARTS) Foundation
+ ARTS Foundation mission is to enlarge social, economical, institutional, and individual development options for the benefit of women, girls, youth and children of rural and marginalized areas through creating, strengthening, and supporting social platforms.
+
+
+
+ https://staging.giveth.io/project/Ashish-Gram-Rachna-Trust:-Institute-of-Health-Management-Pachod
+ Ashish Gram Rachna Trust: Institute of Health Management, Pachod
+ The Institute of Health Management Pachod (IHMP) strives for the health and development of communities through implementation of innovative programmes, research, training and policy advocacy. The Institute aims at the holistic development of the individual, family and community and is committed to the development of marginalised groups. Within the broad mandate of reaching the most disadvantaged, it is committed to the health and development of women, adolescent girls and children. IHMPs basic commitment has been to reduce gender inequities intrinsic in Indian society. Organising and mobilizing children and adolescents to achieve a sustainable, inter-generational change is a part of this mandate.
+
+
+
+ https://staging.giveth.io/project/AdvocAid
+ AdvocAid
+ Goal<br><br>AdvocAids goal is to strengthen access to justice for girls, women and their children in conflict with the law, foster an increased ability for women to understand and claim rights and to empower them as active citizens.<br><br>Objectives<br><br>1. Strengthen access to legal education; legal advice and legal representation for girls and women in conflict with the law<br>2. Provide targeted preventative legal education messages and training to groups of vulnerable girls and women in conflict with the law<br>3. Ensure that girls, women and children who are detained are able to reintegrate successfully into their communities after release through provision of skills training education and welfare support <br>4. Engage in strategic capacity building, advocacy and public awareness raising in relation to issues affecting girls, women and their children in conflict with the law
+
+
+
+ https://staging.giveth.io/project/Friends-of-Assaf-Harofeh-Medical-Center
+ Friends of Assaf Harofeh Medical Center
+ The Assaf Harofeh Medical Center is dedicated to the spirit of the famous physician, Assaf, who created an oath for Jewish doctors some 1,500 years ago. Emphasis at the Medical Center is placed on close cooperation between basic research, clinical research and clinical trials. It is an academic teaching facility and an affiliate of the Sackler Faculty of Medicine, Tel Aviv University. Its goal is to train the next generation of physicians to master clinical care, research and teaching. The Friends of the Assaf Harofeh Medical Center supports the above.
+
+
+
+ https://staging.giveth.io/project/Southern-Exposure
+ Southern Exposure
+ Southern Exposure (SoEx) is an artist-centered nonprofit organization that is committed to supporting diverse visual artists. Through our extensive and innovative programming, SoEx strives to experiment, collaborate and further educate while providing an extraordinary resource center and forum for Bay Area and national artists in our Mission District space and off-site, in the public realm.
+
+
+
+ https://staging.giveth.io/project/Internet-Archive
+ Internet Archive
+ The Internet Archive is a small non-profit library with a huge mission to give everyone access to all knowledge, forever for free. Our goal is that anyone curious enough to seek knowledge will be able to find it here. Together we are building a special place where you can read, learn and explore.
+
+
+
+ https://staging.giveth.io/project/Thirsty-Thirsty
+ Thirsty Thirsty
+ Thirsty Thirsty is dedicated to the Ancestors, the grape, the plant world beyond, and how we remember mother nature. We offer nourishing food, wine, and travel experiences through our web3 membership. Launching June 2022. Every farmer, restaurant, winery, and land protector in our community is dedicated to celebrating ancestral agriculture and wisdom.
+
+
+
+ https://staging.giveth.io/project/Bill-Edwards-Foundation-for-the-Arts-Inc
+ Bill Edwards Foundation for the Arts Inc
+ Our mission is to educate, inspire, and entertain everyone in our community through the performing arts, with an emphasis on school children and underserved families.
+
+
+
+ https://staging.giveth.io/project/Children-Improvement-Organization-(CIO)
+ Children Improvement Organization (CIO)
+ Children Improvement Organization (CIO) is a non profit/non government organization that was created to save the lives of orphans, homeless and severely underprivileged children in Cambodia.
+
+
+
+ https://staging.giveth.io/project/Young-Guru-Academy
+ Young Guru Academy
+ YGA is a non-governmental non-profit organization founded in Turkey. It cultivates a double-winged youth to make us hopeful for the future of the world. These young individuals improve their two wings - conscience and competency - while developing international projects that<br>provide social benefits. <br><br>Science Movement is a social responsibility project initiated by YGA to make children love<br>science. Science Movement is aimed to grow self-confident individuals who can think free<br>of boundaries and develop authentic projects.<br>Under the scope of the protocol signed with the Ministry of Education, 10 science kits will be<br>sent to each secondary school that is in need of science material in every corner of Turkey.<br>Teachers in schools that received science kits have access to a platform, in which they have<br>rich experimental content as well as examples of in-class use of the science kits.
+
+
+
+ https://staging.giveth.io/project/Vilagszep-Alapitvany
+ Vilagszep Alapitvany
+ There are about 23.000 children in Hungary who live in the child care system. Vilagszep foundation helps disadvantaged children in child protection care for more than 10 years. During our work we concluded that material donations alone are not the real help to these children, but rather a safety net, individual attention and stability.<br><br>We organize specialised programmes that best fit the young age, the situation and the goals of these children, and so our activities are wide ranging and multi-faceted. In light of this our activity consists of five main programs for foster children: 1. individual mentoring program 2. storytelling workshops in orphanages 3. summer camps 4. inclusive private kindergarten 5. inclusive kids centre. <br>Our programs help our supported children believe that they too have a place in this world, they deserve to be loved and that they too have opportunities awaiting them just like any other child - despite a difficult start.<br><br>Our programmes aim to:<br><br>- develop their self-esteem and confidence,<br>- empower them to take responsibility,<br>- learn to accept and love themselves.<br><br>As a result:<br><br>- the incidence of deviant behaviour is reduced,<br>- they can build more accepting and supportive relationships,<br>- there is a higher rate of successful completion of their studies<br>- they are able to find jobs and create their own homes<br>- and avoid repeating their fate.<br><br>However we cannot help to everyone, the impact of our work is a significant increase in the proportion of happy and successful young people who follow social norms, which can lead to significant social savings (e.g. more taxpaying citizens, fewer prison places, less unemployment benefits, less education or health spending, etc.).<br><br>Our organisation focuses on overall well-being of children. We believe that caring for children, nurturing, teaching and protecting them physically and mentally is a high priority for every society. Caring ensures children to have access to a variety of resources, as well as felt loved, build confidence, gain knowledge, and have the possibility to unfold their abilities.<br>The UN Convention on the Rights of the Child has been in force in Hungary since 1991. Among others, the Convention recognizes that each child has the right to a family or protection, and a life free from discrimination. It is our mission to support these goals within our society by real acts and provide effective and professional lifelong help to "our children" where and as they need it the most.
+
+
+
+ https://staging.giveth.io/project/Gbowee-Peace-Foundation-Africa-USA
+ Gbowee Peace Foundation Africa-USA
+ Gbowee Peace Foundation Africa-USA is based in New York City and mobilizes resources to support grassroots organizations that increase access to education and development for women and girls in West Africa, with a particular focus on making strategic investments in the work of GPFA in Liberia. GPFA-USA also promotes and supports Leymah’s work on the international stage, sharing her lessons on leadership with a global audience through peace-building missions, strategic engagements, and public speaking.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Plan21
+ Fundacion Plan21
+ To protect natural resources and improve the quality of life in our communities, making posible participatory processes and promoting the implementation of better public and private practices, within the framework of Sustainable Human Development
+
+
+
+ https://staging.giveth.io/project/Direct-Relief
+ Direct Relief
+ Direct Relief is a medical relief organization, active in all 50 states and more than 80 countries, with a mission to improve the health and lives of people affected by poverty or emergency situations.
+
+Direct Relief earns a 100% fundraising efficiency rating from Forbes, tops Charity Navigators list of the "10 Best Charities Everyones Heard Of" and is named among "the worlds most innovative companies in not-for-profit" by Fast Company
+
+Among other distinctions, Direct Relief received the 2014 CECP Directors Award, the Presidents Award from Esri for excellence in GIS mapping, and the Peter F. Drucker Award for Nonprofit Innovation.
+
+
+
+ https://staging.giveth.io/project/Centre-for-Disaster-Preparedness-Foundation-Inc
+ Centre for Disaster Preparedness Foundation, Inc
+ CDP is committed to:<br>Strengthen the capacities of vulnerable groups in community-based, development-oriented disaster risk reduction management to uphold their rights and reduce their vulnerabilities.<br>CDP influences duty-bearers and service providers towards this end
+
+
+
+ https://staging.giveth.io/project/Hogar-De-Ninas-De-Cupey-Inc
+ Hogar De Ninas De Cupey Inc
+ With more than 70 years<br>at the service of socially and economically disadvantaged boys and girls,<br>through comprehensive services in support of the family and the community. We serve as a residential facility for girls and a complementary educational program, always seeking the best interest and well-being of each participating boy and girl.
+
+
+
+ https://staging.giveth.io/project/Childfund-Korea
+ Childfund Korea
+ ChildFund Korea creates a world where children grow up upright and enjoy happy life.
+
+
+
+ https://staging.giveth.io/project/The-Freedom-ROC
+ The Freedom ROC
+ To create systemic change that leads to a more equitable society by uplifting the voices of directly impacted Black people that allows us to build politically educated grassroots community political power.
+
+
+
+ https://staging.giveth.io/project/Playing-For-Change-Foundation
+ Playing For Change Foundation
+ Playing For Change Foundation grew out of a common belief that music has the power to connect people regardless of their differences. PFCF was established to create positive change through music and arts education. Our work engages marginalized youth in economically poor, thought culturally rich, communities around the world to create positive change through music and arts education.
+
+
+
+ https://staging.giveth.io/project/Gold-Coast-Veterans-Foundation
+ Gold Coast Veterans Foundation
+ We’re the ones who rescue the veterans other agencies have written off as too difficult or damaged to help.<br><br>We designed, built, and operate the first comprehensive, integrated care model for veterans in this region.<br><br>Our Mobile Veteran Outreach program has rescued more than 90% of the homeless veterans in our community.<br><br>Our new Veterans Village is going to become the new national blueprint for ending veteran suffering and homelessness in our country.
+
+
+
+ https://staging.giveth.io/project/EASE-Foundation
+ EASE Foundation
+ Creating productive, stimulating lives for people with disabilities through Education, Advocacy, Support, and Empowerment
+
+
+
+ https://staging.giveth.io/project/HomeStart-Inc
+ HomeStart, Inc
+ HomeStart is committed to ending and preventing homelessness. We help families and individuals find, secure and maintain their own homes.
+
+
+
+ https://staging.giveth.io/project/Teach-For-Cambodia
+ Teach For Cambodia
+ Our Vision is that by 2050 all children in Cambodia will have the education, support and opportunity to create a better future for themselves, their families and their communities. Our Mission is to work in partnership with others to create positive change in Cambodian public education through building the teaching and leadership skills of teachers as agents of change in Cambodian public schools and the broader education sector.
+
+
+
+ https://staging.giveth.io/project/Ny-Tanintsika
+ Ny Tanintsika
+ Ny Tanintsika contributes to poverty reduction and improving sustainable natural resource management through capacity-building and action for social, economic, and environmental development, and the promotion of good governance.
+
+
+
+ https://staging.giveth.io/project/Humane-Animal-Rescue-of-Pittsburgh
+ Humane Animal Rescue of Pittsburgh
+ Caring for animals, inspiring communities.
+
+
+
+ https://staging.giveth.io/project/Tanzania-Development-Trust
+ Tanzania Development Trust
+ The Trust Deed of 1975 says "The objects of the Trust shall be to relieve poverty and sickness among the people of Tanzania by means of the development of education, health and other social services, the improvement of water supplies and other communal facilities and the promotion of self- help activities."<br><br>Interpreting the Trust Deed for the needs of the 21st Century we add: "In making grants, the Trust tries to promote equal opportunities and projects which improve the environment".
+
+
+
+ https://staging.giveth.io/project/Bioteka-udruga-za-promicanje-biologije-i-srodnih-znanosti
+ Bioteka - udruga za promicanje biologije i srodnih znanosti
+ Bioteka s mission is to effectively connect science and society. As of 2010, when our civil society organization has been formed, we are dedicated to educating and raising public awareness on the importance of scientific discoveries and results, STEM, nature/environmental protection, sustainable development, public health, and related areas. <br>We specialize in bringing scientific language, methods, and facts to the wider public. Our work includes educational (workshops, educational camps etc.), popular science (content creation, article writing, public outreach), volunteering and research activities, as well as initiatives for raising the publics awareness of topics in the field of natural sciences, nature and environmental protection, climate change and sustainable development.<br>Bioteka continually promotes critical thought, science, modern teaching methods, active citizenship, sustainable development, and implementation of nature-based solutions. <br>We cooperate with scientists, educational institutions, the private sector, and the public and have so far successfully carried out more than 75 projects of local, national, and international character and importance.
+
+
+
+ https://staging.giveth.io/project/Ragtag-Film-Society
+ Ragtag Film Society
+ Mission: With cinema as a focal point, Ragtag Film Society exists to captivate and engage communities in immersive arts experiences that explore assumptions and elicit shared joy, wonder, and introspection.
+
+
+
+ https://staging.giveth.io/project/Tuesdays-Children
+ Tuesdays Children
+ Tuesday’s Children provides a lifetime of healing for families who have been forever changed by terrorism, military conflict or mass violence.
+
+
+
+ https://staging.giveth.io/project/Jobs-for-the-Future
+ Jobs for the Future
+ Jobs for the Future (JFF) drives transformation of the American workforce and education systems to achieve equitable economic advancement for all.
+
+
+
+ https://staging.giveth.io/project/Worlds-Aquarium
+ Worlds Aquarium
+ Worlds Aquarium was founded to protect marine mammal habitat in San Carlos via creation of Marine Park and to save the lives of entangled Sea Lions throughout the Sea of Cortes.
+
+
+
+ https://staging.giveth.io/project/Center-for-Democratic-and-Environmental-Rights
+ Center for Democratic and Environmental Rights
+ Advancing democratic rights and the rights of nature around the world.
+
+
+
+ https://staging.giveth.io/project/Zahana
+ Zahana
+ Zahana in Madagascar is dedicated to participatory rural development, education, revitalization of traditional Malagasy medicine, reforestation, and sustainable agriculture. It is Zahanas philosophy that participatory development must be based on local needs and solutions proposed by local people. It means asking communities what they need and working with them collaboratively so they can achieve their goals. Each communitys own needs are unique and require a tailor -made response
+
+
+
+ https://staging.giveth.io/project/Students-Run-Philly-Style
+ Students Run Philly Style
+ Students Run Philly Style transforms students’ lives through running and mentorship. We pair volunteer mentors with teams of students to inspire them to push themselves further than they ever imagined. Their goal: the completion of a full or a half marathon. The courage and effort required, the unfailing support of a caring mentor and the thrill of its ultimate achievement results in a student who knows anything is possible.
+
+
+
+ https://staging.giveth.io/project/The-East-West-Foundation-Of-Australia-Inc
+ The East West Foundation Of Australia Inc
+ The East West Foundation is a charitable and educational foundation committed to working towards the development and empowerment of socially and economically marginalised communities in rural India.<br><br><br><br>The Foundation achieves this through a range of healthcare, education, childrens rights and relief, community development, and environmental projects. We leverage resources, skills and expertise from around the world to promote best practice in the area of rural development and community empowerment.
+
+
+
+ https://staging.giveth.io/project/Institute-for-Sustainable-Communities
+ Institute for Sustainable Communities
+ We support communities around the world as they find sustainable and equitable solutions to climate change by providing the resources and training they need to tackle environmental, economic, and social challenges in order to create a better future shaped and shared by all.<br><br>We are in the business of unleashing the power of people to transform their communities. Our approach ensures solutions emerge from within the community, rather than being imposed from the outside. By combining technical expertise and leadership training with strategic investments in local organizations, we strive to spark creative solutions and bring lasting change.
+
+
+
+ https://staging.giveth.io/project/Jawonio
+ Jawonio
+ Jawonio is the premiere provider of lifespan services in the Mid-Hudson Valley Region of New York State for individuals with developmental disabilities, mental health challenges and those with chronic medical conditions. Jawonio is dedicated to advancing the independence, well-being and equality of people with special needs.
+
+
+
+ https://staging.giveth.io/project/Ascent
+ Ascent
+ The Ascent is a women-led nonprofit organization established in 2002 to provide girls and women with equal access to all levels of education throughout Afghanistan. Ascent believes that educating women and girls is key to empowering them to fully participate in and equally contribute to Afghan society. The Ascent also realizes that no society is just if it promotes gender-based discrimination of any kind. Thus, Ascent values the education of boys and understands that todays well-educated youth will have a greater understanding of each other and are the bright leaders of tomorrow.
+
+
+
+ https://staging.giveth.io/project/Hospice-of-the-North-Coast
+ Hospice of the North Coast
+ To provide compassionate personalized care to patients and families during the end-of-life transition.
+
+
+
+ https://staging.giveth.io/project/Lone-Star-Legal-Aid
+ Lone Star Legal Aid
+ Lone Star Legal Aids mission is to protect and advance the civil legal rights of the millions of Texans living in poverty through free community legal education, advice, and representation in court.
+
+
+
+ https://staging.giveth.io/project/Out-of-Eden-Walk
+ Out of Eden Walk
+ One of the most innovative storytelling projects of our era, the Out of Eden Walk journey began in 2013 in the Rift Valley of Ethiopia, a cradle of our species, and will conclude in 2027 at the tip of South America—the final horizon reached 7,000 years ago by our common ancestors. Led by Pulitzer Prize-winning writer Paul Salopek, the project celebrates the work of local creatives along its route, and has built an enduring philanthropic legacy that combines meaningful people-to-people storytelling, civic literacy and education programming.
+
+
+
+ https://staging.giveth.io/project/IEEE-Foundation-Incorporated
+ IEEE Foundation, Incorporated
+ The IEEE Foundation inspires an engaged community and leverages the generosity of donors to enable IEEE programs that enhance technology access, literacy, and education and supports the IEEE professional community.
+
+
+
+ https://staging.giveth.io/project/Vapor-Ministries
+ Vapor Ministries
+ Non-profit organization in Talladega County, Alabama
+
+
+
+ https://staging.giveth.io/project/Sansum-Diabetes-Research-Institute
+ Sansum Diabetes Research Institute
+ Sansum Diabetes Research Institute is dedicated to improving the lives of people impacted by diabetes through research, education, and clinical care.
+
+
+
+ https://staging.giveth.io/project/Easterseals-Midwest
+ Easterseals Midwest
+ We are leading the way to full equity, inclusion, & access through life-changing disability & community services. For more than 100 years, we have worked to expand local access to healthcare, education, & employment opportunities. We won’t rest until every one is valued, respected, & accepted.
+
+
+
+ https://staging.giveth.io/project/Their-Future-Today
+ Their Future Today
+ Their Future Today strives to turn each and every forgotten childs story into a happy ending. Each step we take may be small - but it is measured, supported and implemented with love and care in the knowledge that we are sustaining our mission of offering a future to those that had none.<br><br>Our aim is to improve opportunities for children by helping to keep poor families together and ensure their education. Reunite children abandoned through poverty with their own or foster families and meanwhile help raise standards in childrens institutions.
+
+
+
+ https://staging.giveth.io/project/Minnestar
+ Minnestar
+ Minnestar exists to bring together Minnesota’s technology community. Our goal is to promote connections that help our community learn from each other, build their businesses, and start new entrepreneurial ventures. We aim to foster an environment to connect software developers, designers, entrepreneurs, and investors.
+
+
+
+ https://staging.giveth.io/project/Worldwide-Hospice-Palliative-Care-Alliance
+ Worldwide Hospice Palliative Care Alliance
+ To bring together the global palliative care community to improve well-being and reduce unnecessary suffering for those in need of palliative care in collaboration with the regional and national hospice and palliative care organisations and other partners.
+
+
+
+ https://staging.giveth.io/project/Bellarmine-College-Preparatory
+ Bellarmine College Preparatory
+ Bellarmine College Preparatory is a community of men and women gathered together by God for the purpose of educating the student to seek justice and truth throughout his life. We are a Catholic school in the tradition of St. Ignatius of Loyola, the Founder of the Society of Jesus. As such, our entire school program is dedicated to forming "men for and with others"—persons whose lives will be dedicated to bringing all their God-given talents to fullness and to living according to the pattern of service inaugurated by Jesus Christ".
+
+
+
+ https://staging.giveth.io/project/Feedback-Madagascar-AKA-The-Feedback-Trust
+ Feedback Madagascar AKA The Feedback Trust
+ Feedback Madagascar contributes to poverty reduction and improving sustainable natural resource management through capacity-building and action for social, economic, and environmental development, and the promotion of good governance.
+
+
+
+ https://staging.giveth.io/project/Atlantic-Council-of-the-United-States-Inc
+ Atlantic Council of the United States, Inc
+ Driven by our mission of “shaping the global future together,” the Atlantic Council is a nonpartisan organization that galvanizes US leadership and engagement in the world, in partnership with allies and partners, to shape solutions to global challenges.. We have individual, corporate, foundation, and government donors from throughout the world. We are based in Washington, DC with staff in 15+ countries globally.
+
+
+
+ https://staging.giveth.io/project/Fair-Count
+ Fair Count
+ Fair Count works to build long-term power in communities that have been historically undercounted in the decennial census, underrepresented at the polls, and whose communities are often torn apart in redistricting.
+
+
+
+ https://staging.giveth.io/project/Sigma-Chi-Foundation
+ Sigma Chi Foundation
+ Founded in 1939, the Sigma Chi Foundation is a charitable and educational tax-exempt organization, separate and independent from the Sigma Chi Fraternity, whose express purpose is to secure financial resources and provide faithful stewardship in support of Sigma Chi.
+
+
+
+ https://staging.giveth.io/project/Dakota-Boys-and-Girls-Ranch-Foundation
+ Dakota Boys and Girls Ranch Foundation
+ The mission of Dakota Boys and Girls Ranch is to help at-risk children and their families succeed in the name of Christ. <br><br>Dakota Boys and Girls Ranch is a place where miracles happen—where any child, despite their circumstances, can experience a fresh start, a second chance, and genuine success.
+
+
+
+ https://staging.giveth.io/project/Intuit:-The-Center-for-Intuitive-and-Outsider-Art
+ Intuit: The Center for Intuitive and Outsider Art
+ Intuit champions diverse artistic voices and pathways, inviting all to explore the power of outsider art. Founded in 1991, Intuit is a premier museum of outsider and self-taught art, defined as work created by artists who faced marginalization, overcame personal odds to make their artwork, and who didn’t, or sometimes couldn’t, follow a traditional path of art making, often using materials at hand to realize their artistic vision. Intuit offers world-class exhibitions at its Chicago facility; a collection of 1,200 artworks; a range of public, teen and award-winning school programs, held both on-site and online; and the Robert A. Roth Study Center, which focuses on contemporary self-taught art.
+
+
+
+ https://staging.giveth.io/project/University-at-Albany-Foundation
+ University at Albany Foundation
+ The University at Albany Foundation is a not-for-profit corporation responsible for the fiscal administration of support and revenue received for promotion, development, and advancement of the welfare of The University at Albany, State University of New York, its students, faculty, staff, and alumni and any other organization qualified as an exempt organization which has among its corporate purposes providing assistance to the University.
+
+
+
+ https://staging.giveth.io/project/Miracles-for-Kids
+ Miracles for Kids
+ Miracles for Kids creates stability for families that are crumbling from the financial and emotional devastation of fighting for their childs life. With programs providing financial aid, basic needs, housing, and wellness to patients and their families, Miracles for Kids fulfills a mission to help caregivers battle bankruptcy, homelessness, hunger, and depression, so they can concentrate on what matters most.
+
+
+
+ https://staging.giveth.io/project/PeaceJam-UK
+ PeaceJam UK
+ The aims of PeaceJam UK shall be to advance the education of young people in the subject of peace making by inspiring and empowering them to take positive action as champions for peace and human rights for all.
+
+
+
+ https://staging.giveth.io/project/Priyadarshini-Seva-Mandali
+ Priyadarshini Seva Mandali
+ PSM wants to bring the awareness of their own development for better living standards by involving in development process by themselves rural folk
+
+
+
+ https://staging.giveth.io/project/United-Way-of-San-Diego-County
+ United Way of San Diego County
+ To spark breakthrough community action that elevates every child and family toward a brighter future.
+
+
+
+ https://staging.giveth.io/project/Animal-Protection-Foundation
+ Animal Protection Foundation
+ We are dedicated to improving the lives of animals in our community. We promote the humane treatment of all animals and responsible pet guardianship, and work toward ending pets overpopulation through education and a variety of programs. We take pride in working to keep homeless pets safe, happy and sheltered at our sanctuary.
+
+
+
+ https://staging.giveth.io/project/Sun-Valley-Museum-of-Art
+ Sun Valley Museum of Art
+ Our mission is to enrich our community through transformative arts and educational experiences.
+
+
+
+ https://staging.giveth.io/project/Northwest-Georgia-Council-Boy-Scouts-of-America
+ Northwest Georgia Council, Boy Scouts of America
+ The mission of the Boy Scouts of America is to prepare young people to make ethical and moral choices over their lifetimes by instilling in them the values of the Scout Oath and Law.
+
+
+
+ https://staging.giveth.io/project/Kharkiv-rehabilitation-centre-Pravo-vibora
+ Kharkiv rehabilitation centre Pravo vibora
+ The mission of organization is to improve the quality of life and integration in society of children and youth with disabilities by their integrated rehabilitation. .<br><br>Goals:<br> Creation of necessary conditions for rehabilitation of youth and children; <br> Stakeholders and social institutes (academic, specialized general secondary and higher educational establishments, charitable foundations and community organizations) Involvement in disabled youth problem solving;<br> Promotion of necessary informational, methodological and academic materials;<br> overcoming negative disabled people stereotypes in society;<br> promoting disabled youth employment and supporting them socially during employment process;<br> training of graduates and students with disabilities for future careers and independent living (self-service in everyday life, environment orientation, communication basics, human rights acknowledgement, introduction to computer technologies), building skills for social relations, social environment adaptation;<br> Psychological assistance for individuals with psychophysical disabilities and members of their families, assistance in case of force majeure situations;<br> Optimal conditions creation for communication, work with creative youth, cooperation with the state youth services; <br> Cooperation with domestic and international organizations that address the complex problems of disabled people rehabilitation.
+
+
+
+ https://staging.giveth.io/project/Orange-Show-Center-for-Visionary-Art
+ Orange Show Center for Visionary Art
+ The mission of the Orange Show Center for Visionary art is to celebrate the artist in everyone.
+
+
+
+ https://staging.giveth.io/project/Kuresh-Organization
+ Kuresh Organization
+ To support and promote journalism in Ukraine and protect the well-being of Ukrainians.
+
+
+
+ https://staging.giveth.io/project/Civil-Initiative-on-Internet-Policy-(CIIP)
+ Civil Initiative on Internet Policy (CIIP)
+ The main mission is to stimulate legislative and regulatory reforms, as well as to ensure transparency and predictability of regulations in this field, presence of the competitive environment and free access to telecommunications services and information resources. The CIIP is actively involved in the process of democratization and universal access to the Internet and the expansion of opportunities for public and civil bodies in participation of governmental decision-making process in the field of information and communication technologies. The CIIP has launched and implemented a large program on information (cyber)security, under framework of which trainings are being held for representatives of NGOs, journalists and human rights defenders. The goal of the program is to strengthen knowledge and practical skills among civil society in the field of information security. More than 800 people across Central Asia gained new knowledge on information security systems, protection from unauthorized interference and abuse in organizations information systems.
+
+
+
+ https://staging.giveth.io/project/HIAS-INC
+ HIAS INC
+ Drawing on our Jewish values and history, HIAS provides vital services to refugees and asylum seekers around the world and advocates for their fundamental rights so they can rebuild their lives.
+
+
+
+ https://staging.giveth.io/project/Black-Girls-Code-Inc
+ Black Girls Code Inc
+ Our mission is to empower young women of color between the ages of 7-17 to embrace the current tech marketplace as builders and creators by introducing them to skills in computer programming and technology.
+
+
+
+ https://staging.giveth.io/project/Dave-Thomas-Foundation-for-Adoption
+ Dave Thomas Foundation for Adoption
+ Established by Wendy’s Founder Dave Thomas, an adoptee himself, the Dave Thomas Foundation for adoption works to dramatically increase the number of adoptions of children waiting in North America’s foster care systems. For nearly thirty years, the Foundation has continued Dave’s legacy, that every child will have a permanent home and loving family.
+
+
+
+ https://staging.giveth.io/project/Table-Community-Church
+ Table Community Church
+ We exist to help every person experience, embrace, and participate in the Trinitarian love of God.
+
+
+
+ https://staging.giveth.io/project/Alif-Laila-Book-Bus-Society
+ Alif Laila Book Bus Society
+ Empowering children/young girls through books, education and skills for a better tomorrow and enhance the capabilities understanding and powers of innovation in children/young girls with the aim to provide safe and secure learning environment.<br>Our vision<br>To enhance the understanding and creative abilities of our nations children so that they can reach their maximum potential and stand shoulder to shoulder with children from all corners of the globe.<br>Our Mission<br>To empower children to think critically and creatively, to empathize and build bridges, to befriend books and learn skills.<br><br> To provide access to quality books to improve reading proficiency of students in schools and communities to build a strong foundation of education for subsequent phases of learning <br> To promote widespread reading culture among both the teachers and the students.<br> To design innovative solutions partnerships to enhance the quality of education in Government schools to prepare our young girls to meet the challenges of todays world and grasp its opportunities.<br> To stimulate and develop cognitive thinking in young minds and encourage students to explore and experiment with basic materials existing in their environment and understand the underlying scientific principles<br>Brief overview<br><br>Alif Laila Book Bus Society (ALBBS) traces its origin from the time when in 1978 an American couple - Dr. Nita Backer and Dr. Richard Baker - working at the American School in Lahore, came up with the idea to harness the reading potential in children and create a sense of affection for books. To make the whole concept attractive and child friendly, the society requested the Pakistan Road Transport Board to donate a Double Decker bus in which a library could be set up. Books were donated and soon afterwards the first Book Bus Library became functional.<br><br>The idea proved to be a roaring success. Consequently to ensure provision of maximum benefit to the most vulnerable focus was placed on children enrolled in Government schools, whereas to widen the ambit of work the number of libraries was increased over time. Of these, the first set up in the double decker bus is a Stationed Bus Library, the second a Reference Library set up in a building, and the 2 Mobile Libraries and 3 rickshaw libraries for facilitating those children who cannot visit either of the above. <br><br>From the time of its registration under the Societies Registration Act, 1860 in January 1979 till date, Alif Laila has focused on bringing books and children closer through setting up libraries small and big, in communities and in schools as well as its mobile library program. <br><br>However, at the same time the organization has added interventions its portfolio that are congruent to its overall mission and vision. <br><br>We focus on 6 main areas: 1) Access to quality children books; 2) Hands on learning <br>3) Teacher development; 4) Youth and women empowerment; 5) Public-private partnership; 6) Advocacy and 7) Development of ECE materials and childrens books<br><br> Scope of Work<br>1. Access To Quality Children Books<br><br>Alif Laila is committed to targeting early literacy as the foundation of all other learning as an urgent priority. It has developed Pakistans only comprehensive program to help our youngest citizens access quality children books. Alif Laila also believes in opening minds of our young ones through reading, a trait essential for any society to progress and have peace. In Lahore the unique library complex hosts Pakistans pioneer children library and first mobile library. The mobile library program consists of 2 custom made small vehicles and a rickshaw. These mobile libraries serve low income communities as well as government schools. Rickshaw library is used for narrow streets. With the help of sponsors and donors we establish libraries of all sizes and shapes all over Pakistan, in schools and in communities. We focus on Pakistans remote areas as well as communities in Gilgit-Baltistan.<br><br><br>2. Writing, printing and publishing childrens books and Issue based books/posters<br><br>1. Bablo Bhai and Bhalo Mian<br>2. Bablo Bhai Ka Basta/ Babloo Bhais Bag (bilingual)<br>3. Kahani aik Jungle ki<br>4. Meri Dadi Amman aur Main/ My friend my dadi amaan (bilingual)<br>5. Dadi Amman aur Bachoon K Hoqooq<br>6. Dunya ki Kahani Chunti Ki Zubani<br>7. Meray Dadda Abba Aur Main<br>8. Childrens Voices<br>9. Babloo Bhai ki Choti Behan<br>10. Darkht Hamary Dost/ Trees are our friends (bilingual)<br>11. Aman/ Peace (bilingual)<br>12. Kazanay ki Talaash / Treasure Hunt (Bilingual)<br>13. Babloo Bhai aur Bahloo mian bagh mein<br>14. Bari si kitaab aur buhat se khuwaab / The book of little stories and big dreams (Bilingual)<br>15. Dada aur Dadi Amaan ke saath<br>16. Chachi giru and sita raam<br>17. Muskurahatein<br>18. Irgit Girgat<br>19. Khaniya rangon mein<br>20. Phool hotay hein surkh sada<br>21. Urdu Qaida<br>22. The girl who took things<br>23. Ahmeds Bicycle<br><br>Eleven Books from these are National Book Foundation award winners.<br>Mere Dada Abba aur Main won the first prize in national book foundations write and win contest. <br><br>Poems on the environment and a rag picking girls plea on posters<br><br>Designed and printed posters on child rights the environment schools worthy of children and Alif Bay Pay Qaida <br><br><br><br>3. Hands-On Learning Program<br><br>Under this program we offer free hands on learning classes in computers, art, craft and electronics to girls in government schools as well children from low income communities. <br>It has 2 components; i) The Mobile Resource Centre. The mobile resource center carries a team of 4 instructors and the education kits . The team offers 2 hour long training to girls in classes of 6 and 7and ii) The Hobby Club Resource Centers located at the Alif Laila building serve children from low income communities.<br><br>4. Teacher Development<br><br>Teacher development program targets capacity building in Early Childhood Education (ECE) as well as improving the capacity and development of skills of teachers in primary and middle school. We encourage teachers to enrich their teaching methods by involving experimentation and embedding arts, culture and creative approaches. We offer free capacity building workshops in government schools and low-cost private schools. We also conduct ECE trainings at Directorate of Staff Development, the prime teacher training institute of Government of the Punjab.. <br><br>5. Youth And Women Empowerment <br><br>Our youth and women empowerment program focuses on<br><br>i. Workshops and trainings enhancing employability of youth especially women through resume writing and interview skills workshops<br>ii. Entrepreneurship workshops <br>iii. Coaching craft skills to earn from home<br>iv. Kitchen Gardening workshops to address challenges of urban food insecurity <br><br>6. Public-Private Partnership<br><br>Under public-private partnership we work with the provincial governments in the following areas <br>I- Setting up library corners in Government Primary Schools and training teachers on the use of library in their teaching to enhance reading proficiency and enrich learning<br>II- Early Childhood Education-ECE <br>a. ECE training workshops for government school teachers<br>b. Setting up ECE Model Centers <br>c. Setting up ECE centers in government school<br>III- School improvement program<br>IV- Revamping children corners in public libraries and redefining the role of public libraries as crucial partners for youth empowerment program<br><br>7. Advocacy<br><br>Through policy dialogues with policy makers and innovative campaigns Alif Laila engages in advocacy for the following, <br><br> Environment and recycling<br> Grade Level Reading Proficiency Matters-Providing access to books in primary schools for reading proficiency<br> Kitchen Gardening for urban food security and nutrition<br><br>8. Development Of ECE Materials And Children Books<br><br>Alif Laila is a brand name in the development of ECE materials and also develops award winning childrens books. Alif Laila is a key consultant in setting up ECE centers in the government schools in Punjab
+
+
+
+ https://staging.giveth.io/project/Comunidad-Connect
+ Comunidad Connect
+ Comunidad Connect works to alleviate poverty and create sustainable change in Nicaragua and the Dominican Republic.<br><br>We co-create programs with our local partners that improve community health, create economic opportunities and drive inclusive community development.
+
+
+
+ https://staging.giveth.io/project/MSI-United-States
+ MSI United States
+ We are one of the largest reproductive healthcare providers in the world, making choice possible for women and girls in 37 countries across Latin America, Africa, Asia, Europe, and Australia.
+
+
+
+ https://staging.giveth.io/project/Feeding-Southwest-Virginia
+ Feeding Southwest Virginia
+ Our mission is to feed Southwest Virginias hungry through a network of partners and engage our region in the fight to end hunger.
+
+
+
+ https://staging.giveth.io/project/Equal-Rights-Advocates
+ Equal Rights Advocates
+ ERA protects and expands economic and educational access and opportunities for women, girls, and people with marginalized gender identities using a three-pronged advocacy approach consisting of impact litigation, legislative advocacy, and direct services.
+
+
+
+ https://staging.giveth.io/project/Free-Arts-for-Abused-Children-of-Arizona
+ Free Arts for Abused Children of Arizona
+ MISSION: To transform childhood trauma to resilience through the arts.
+
+VISION: Every child who has experienced trauma has access to resilience-building arts programs.
+
+
+
+ https://staging.giveth.io/project/Dolphin-Project
+ Dolphin Project
+ Dedicated to the welfare and protection of dolphins worldwide. As seen in the Academy Award® Winning Documentary, THE COVE.
+
+
+
+ https://staging.giveth.io/project/Korean-American-Community-Foundation-San-Francisco
+ Korean American Community Foundation San Francisco
+ KACF-SF strives to build a vibrant, healthy and empowered Korean American community in the Bay Area.
+
+
+
+ https://staging.giveth.io/project/Family-Community-Services-of-Somerset-County
+ Family Community Services of Somerset County
+ The mission of FCSSC is to "provide affordable and effective mental health and substance use disorder services". FCSSC does this by offering affordable rates based on a sliding scale and FCSSC accepts most major insurance.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Oportunidad-y-Futuro
+ Fundacion Oportunidad y Futuro
+ Provide financial and emotional support, and any other assistance to young people in financial difficulties, who are willing to improve their reality through formal study.
+
+
+
+ https://staging.giveth.io/project/Depression-and-Bipolar-Support-Alliance-of-San-Francisco
+ Depression and Bipolar Support Alliance of San Francisco
+ We are the San Francisco Chapter of the Depression and Bipolar Support Alliance (DBSA), a leading national organization focusing on improving the life of people living with a mood disorder.
+DBSA San Francisco offers online peer support, current and readily understandable information about depression and bipolar disorder, as well as empowering tools focused on an integrated approach to wellness.
+For the past 30+ years, DBSA San Francisco has been dedicated to providing hope, help, support, and education to people living with mood disorders and their loved ones.
+
+
+
+ https://staging.giveth.io/project/Kids-for-Kids
+ Kids for Kids
+ KIDS FOR KIDS helps children living in remote villages in Darfur, Sudan who live lives of inexcusable hardship. We give them the chance of a better life long term. We seek to enable families to stay in their villages by helping to improve their lives and livelihoods and lifting them out of abject poverty. Our long-term aim is to give Darfur a chance by enabling villages to become vibrant communities. We adopt whole villages transforming the lives of everyone living there. Our villages are growing as people move to them so children can grow up healthy and able to start at school early. We do not believe in charity. We believe in helping people to help themselves.
+
+
+
+ https://staging.giveth.io/project/LIN-Center-for-Community-Development
+ LIN Center for Community Development
+ LINs mission is to provide support services to local NPOs, skilled volunteers and donors who are committed to building strong communities.<br><br>The LIN Center for Community Development serves grassroots not-for-profit organizations (NPOs) and individual and corporate philanthropists located in and around Ho Chi Minh City in Vietnam. By helping local people to meet local needs, LIN aims to promote a healthy environment for philanthropy in Vietnam and strengthen the communities in which we live and work.
+
+
+
+ https://staging.giveth.io/project/Inform-Africa:-Hub-of-Digital-Rights-Technology-Media-Research-and-Development
+ Inform Africa: Hub of Digital Rights Technology, Media Research, and Development
+ To create a hub for the development of the media industry in Ethiopia and Africa by accounting media innovation and professionalism to create an informed, inspired, and empowered society through media education, countering disinformation, research, strategic intervention, and building the capacity of the media for the social, political and economic development of the nation and continent.
+
+
+
+ https://staging.giveth.io/project/Christ-Community-Health-Services-Augusta
+ Christ Community Health Services Augusta
+ To proclaim Jesus Christ as Lord and demonstrate His love by providing affordable, quality healthcare to the underserved.
+
+
+
+ https://staging.giveth.io/project/Hope-Trust
+ Hope Trust
+ Hope Trust aims to educate, equip and empower people with life skills and where appropriate offer counselling support to those in need of it. Our charity was formed to assist people to address life in a pro-active way, when life feels hopeless and overwhelming, particularly those who are suicidal or self harming. <br><br>We have developed teaching materials that are aimed at addressing poor mental health. We also conduct workshops to empower people to be appropriate and assist those who are struggling in life.<br><br>All this to strengthen the community and to address isolation that can be an issue for people struggling to connect in society. Our hope is to build capacity and increase the programmes we can offer in the community
+
+
+
+ https://staging.giveth.io/project/TasteWise-Kids
+ TasteWise Kids
+ TasteWise Kids (www.tastewisekids.org) is a non-profit 501c3 organization that inspires kids to explore and experience the world of food and its sources. We are dedicated to educating kids about where their food comes from and to help them to build healthy and informed eating habits. We currently serve students in Maryland in the following jurisdictions: Baltimore City, Baltimore County, Howard County, and Harford Counties.
+
+
+
+ https://staging.giveth.io/project/The-Bicycle-Scouts-Project-Inc
+ The Bicycle Scouts Project Inc
+ Bike Scouts aims to be the worlds social platform for doing good. We provide a way for people and communities to serve as the network of support thats essential in times of need and disasters through social teamwork.
+
+
+
+ https://staging.giveth.io/project/Connecting-Kids-To-Meals
+ Connecting Kids To Meals
+ Connecting Kids To Meals provides healthy meals at no cost to at-risk kids ages 18 and under who are located in low-income and underserved areas of Northwest Ohio. We fulfill this mission by partnering with schools, afterschool programs, community centers, libraries, emergency shelters and other places where kids gather. We have been feeding kids for nearly 20 years.
+
+
+
+ https://staging.giveth.io/project/Macalester-College
+ Macalester College
+ Macalester is committed to being a preeminent liberal arts college with an educational program known for its high standards for scholarship and its special emphasis on internationalism, multiculturalism, and service to society.
+
+
+
+ https://staging.giveth.io/project/The-Tor-Project-Inc
+ The Tor Project Inc
+ We believe everyone should be able to explore the internet with privacy. We are the Tor Project, a 501(c)3 US nonprofit. We advance human rights and defend your privacy online through free software and open networks.
+
+Since 2006, we have successfully helped global populations burdened by online surveillance and censorship access Internet resources more securely and safely with two gold-standard tools: Tor Browser and the underlying Tor network.
+
+Journalists, activists, whistleblowers, human rights defenders, LGBTQ+ and feminist groups, and average people concerned about their privacy use Tor to protect themselves from pervasive surveillance and safely route around censorship.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Civil-Ingenieria-sin-Fronteras-Argentina
+ Asociacion Civil Ingenieria sin Fronteras Argentina
+ ISF-Ar develops engineering projects aimed at the fulfillment of fundamental human rights such as water and sanitation, education or work in urban and rural communities in vulnerable situations in Argentina. Its mission is to collaborate in the construction of a just, inclusive and caring society through the participatory elaboration of comprehensive technology-based projects; promote engineering geared towards sustainable human development, the fulfillment of Human Rights, the care of nature and the strengthening of populations in vulnerable situations; and promote a space that integrates diversity and mobilizes citizen participation.<br> <br>The problems to which ISF-Ar responds are situations of social vulnerability in communities characterized by isolation and the absence of the Government. These situations are answered with infrastructure works, whether it be construction and expansion of community infrastructure, such as kindergartens, community spaces and schools, or water supply systems. On the other hand, a response is given by convening the state and other social actors in order to make visible and articulate work networks that strengthen these territories.<br> <br>The strategic priorities of the next three years include 1) Deepening the impact on local development, professionalizing territorial work and coordinating with other social organizations, municipalities and public bodies 2) Increasing the scope and scale of the water access program in rural communities 3) Promote the strengthening program for organizations through community infrastructure and advisory programs 4) Design and implement an intervention strategy in confinement contexts 5) Promote advocacy on public policies and participation in spaces for debate and decision-making in the areas of interest of the organization 6) Systematize and produce knowledge about the experiences, methodologies and topics addressed such as engineering social impact, gender perspective, Infrastructure and human rights, participatory design and climate crisis.<br> <br>The challenges to achieve the objectives are the formation of a professional interdisciplinary team to address social complexity, as well as the economic sustainability of the organization to be able to engage in long-term projects in the territories in a stable way as well as to expand the scale of the interventions. Another great challenge is the articulation with the State, which in many cases depends on the current political scenario. For the objective of producing knowledge and influencing spaces for debate, one challenge is to obtain funds that allow for further study in this regard.
+
+
+
+ https://staging.giveth.io/project/Clare-Cares-Foundation
+ Clare Cares Foundation
+ To create solutions to CHILD ABUSE, LACK OF EDUCATION, HUNGER AND DOMESTIC VIOLENCE.<br>To create a movement for leaders and individuals to support kids growing up in poverty get an excellent education and achieve immediate and lasting change in their lives.
+
+
+
+ https://staging.giveth.io/project/Family-Promise-of-San-Joaquin-County
+ Family Promise of San Joaquin County
+ Our Mission is to help homeless and low-income families achieve sustainable independence through a community based response. Our vision is a community in which every family has a livelihood, and the chance to build a better future.
+
+
+
+ https://staging.giveth.io/project/Born-Free-Foundation
+ Born Free Foundation
+ Born Frees mission is to keep wildlife in the wild. We work tirelessly to ensure that all wild animals, whether living in captivity or in the wild, are treated with compassion and respect and are able to live their lives according to their needs. <br><br>Visit www.bornfree.org.uk to find out more.
+
+
+
+ https://staging.giveth.io/project/The-Purpose-Church
+ The Purpose Church
+ Leading people to live life on purpose for Jesus Christ.. church members and partners
+
+
+
+ https://staging.giveth.io/project/Multiple-Myeloma-Research-Foundation-Inc
+ Multiple Myeloma Research Foundation, Inc
+ The Multiple Myeloma Research Foundation is the largest nonprofit in the world solely focused on accelerating a cure for each and every multiple myeloma patient. We drive the development and delivery of next-generation therapies, leverage data to identify optimal and more personalized treatment approaches, and empower patients and the broader community with information and resources to extend their lives. Central to our mission is our commitment to advancing health equity so that all myeloma patients can benefit from the scientific and clinical advances we pursue. Since our inception, the MMRF has committed over $600 million for research, opened nearly 100 clinical trials, and helped bring 15+ FDA-approved therapies to market, which have tripled the life expectancy of myeloma patients.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-Meir-Panim
+ American Friends of Meir Panim
+ American Friends of Meir Panim (AFMP), a non-profit organization in support of Israel, was established to promote, support and further activities which are committed to providing both immediate and long-term relief to the impoverished- young and old alike- via a dynamic range of food and social service programs, all aimed at helping the needy with dignity and respect. AFMP funds organizations such as Meir Panim (which in Hebrew means “brightening faces”) based upon grant applications submitted to it and decided upon by the Board of Directors. AFMP is an independent entity and operates according to the laws of New York State and the United States of America.
+
+
+
+ https://staging.giveth.io/project/Waters-Edge-Church
+ Waters Edge Church
+ Well change the way you think about church!
+
+
+
+ https://staging.giveth.io/project/Baytna-Pour-le-Soutien-de-la-Societe-Civile-AISBL
+ Baytna, Pour le Soutien de la Societe Civile AISBL
+ We are a non-profit/non-governmental Syrian organization that works to empower Syrian civil society to achieve democratic transition by:<br> Establishing neutral spaces for Syrian civil society actors and facilitating collaboration among Syrian, regional, and international CSOs;<br> Disseminating knowledge about and deepening concepts and frameworks of a diverse and inclusive civil society;<br> Awarding grants to implement civil society approaches and strengthen the legitimacy of civic action;<br> Promoting transparency and accountability within civil society;<br> Advocating for the causes, rights, and freedoms of the Syrian people locally and internationally.
+
+
+
+ https://staging.giveth.io/project/Un-Techo-para-mi-Pais-Colombia
+ Un Techo para mi Pais Colombia
+ Work to overcome extreme poverty in slums, through training and collaborative action of families and youth volunteers. Furthermore, to promote community development, denouncing the situation in which the most excluded communities live. And lastly, to advocate for social policies with other actors in society.
+
+
+
+ https://staging.giveth.io/project/Yengat-Birhan-Charity-Organization
+ Yengat Birhan Charity Organization
+ Working towards ensuring a health family and community through supporting and encouraging peoples to know and release their potential in the integrated program
+
+
+
+ https://staging.giveth.io/project/Fundacion-Ponferrada-Van-Stone-(FPVI)
+ Fundacion Ponferrada Van Stone (FPVI)
+ 1.To support education-related programs and initiatives in barangay schools, the central district elementary school and the local high school in the municipality of Tunga, Leyte to improve the literacy & numeracy levels of children in the community, provided it will not engage as a school regulated by the Department of Education and the Commission<br>on Higher Education.<br>2. To support elementary and high school students from disadvantaged families to enable them to complete primary & secondary education, and to give assistance to<br>post-secondary student graduates in Tunga for college or vocational education.<br>3. To work with other organizations and non-government agencies in the Philippines and overseas which share the Foundations aim of effectively deploying resources to enable children in the community to access books & resources to improve literacy & numeracy assessment results and consequently, life opportunities.
+
+
+
+ https://staging.giveth.io/project/Hearts-Homes-for-Refugees
+ Hearts Homes for Refugees
+ Hearts & Homes for Refugees is a volunteer-driven nonprofit organization that resettles refugees in our communities and inspires, educates and equips others to do the same. We harness the power of volunteers and mobilize groups to support holistic refugee resettlement. Community Sponsors improve the long-term outcomes for refugees and change the lives of our new neighbors as well as the lives of volunteers and community partners who offer their time and resources.<br><br>Since 2016, we have been building a growing network of neighbors, community organizations, and faith, student and civic groups to offer safe and inclusive communities to our refugee neighbors and empower them to rebuild their lives with hope and dignity.
+
+
+
+ https://staging.giveth.io/project/Fundacja-Wielka-Orkiestra-Swiatecznej-Pomocy
+ Fundacja Wielka Orkiestra Swiatecznej Pomocy
+ The charity works to improve the conditions at public hospitals in Poland, focusing on different branches of paediatrics (from cardiac surgery, neonatal care to orthopaedic surgery, childrens psychiatric care, and cancer treatment and research) and geriatric care. The Great Orchestra of Christmas Charity has raised PLN 1 000 000 000 (over 23 000 000 euro) and purchased over 61 800 of pieces of equipment - ranging from CT scanners and genetic laboratory equipment to ambulances, incubators and thousands of hospital beds and modern medical supplies. The charity has also initiated, finances, and helps run six medical projects, which systematically transform Polish medicine. For instance, thanks to the universal hearing screening programme, each child born in Poland has its hearing tested. The charity also promotes first aid and CPR knowledge by running an educational initiative which to date has introduced first aid almost 3 000 000 children from primary schools across the country. Currently, our charity is directing its resources and expertise to launch COVID-19 Relief Initiative in Poland
+
+
+
+ https://staging.giveth.io/project/Fondation-Forge
+ Fondation Forge
+ We challenge youths from low-income families to have access to a quality life through work, on-going learning and commitment to the community.<br>Foundation Forge has developed an innovative training program focused on the development of socio-emotional skills, digital and analytical abilities and other complex skills essential to the work of the future and to the adaptation to changing environments.
+
+
+
+ https://staging.giveth.io/project/Servico-Social-da-Industria-(SESI-DR-SP)
+ Servico Social da Industria (SESI-DR-SP)
+ Promote education for economic and social development, contributing to increasing the competitiveness of the industry and improving the living standards of industry beneficiaries and their dependents.
+
+
+
+ https://staging.giveth.io/project/Kidzcan-Childrens-Cancer-Relief
+ Kidzcan Childrens Cancer Relief
+ KidzCan Vision: A compassionate world where children with cancer are given the chance to lead healthy and fulfilling lives. <br>Kidzcan Mission: KidzCan is dedicated to increasing the survival rate and ensuring the utmost quality of life of children with cancer in a loving and caring environment.<br><br>Strategic Objectives:<br>- Increasing the survival rate and ensuring the utmost quality of life of children with cancer in a loving and caring environment<br>- To ensure continuous and secure funding for paediatric cancer clinical care and support services.<br>- To ensure integrated programmes and processes that foster availability, accessibility and affordability of paediatric cancer services in Zimbabwe.<br>- To advocate for participatory, coordinated and standardised cancer management guidelines and protocols.<br>- To empower and inspire volunteers as an integral component of the organisation.<br>- To develop and strengthen stakeholder relationships.<br>- To ensure KidzCan has appropriate systems and equipped with adequate personnel to deliver the vision.<br>- To ensure good financial probity and corporate governance.
+
+
+
+ https://staging.giveth.io/project/Homeland-Development-Initiative-Foundation
+ Homeland Development Initiative Foundation
+ HDIF works to initiate, facilitate, and nurture sustainable economic opportunities in rural and disenfranchised regions of Armenia.
+
+
+
+ https://staging.giveth.io/project/Home-Care-Betreiber-gGmbH
+ Home Care Betreiber gGmbH
+ Due to the high demand for inpatient palliative care, Home Care Betreiber gGmbH started its own impatient hospice.
+
+
+
+ https://staging.giveth.io/project/Animal-Haven
+ Animal Haven
+ Animal Haven is a nonprofit animal rescue that finds homes for dogs and cats in crisis, and provides behavior intervention when needed to improve quality of life and chances of adoption. Founded in 1967, we operate an animal shelter in Manhattan. We also provide programs that enhance the bond between animals and people, and help to keep animals in their homes whenever possible. Animal Haven has an exemplary 4-star rating on Charity Navigator.
+
+
+
+ https://staging.giveth.io/project/Puppy-Kitty-NY-City-Inc
+ Puppy Kitty NY City Inc
+ Our goal is to never say no to an animal in need. We are on a mission to save sick, dying, and homeless animals from the streets of NYC. . The majority of our funding goes directly to veterinary care. We take on complex medical cases and provide quality veterinary care for all our rescued animals.
+
+
+
+ https://staging.giveth.io/project/Second-Chance-Rescue-NYC-(Inc)
+ Second Chance Rescue NYC (Inc)
+ We practice responsible and innovative ways to reduce animal overpopulation in shelters, rescue and rehabilitate critically injured and neglected animals, and connect the community to services that enable animals to remain in their homes. Together we are advocates, rescuers, and educators. Together we make a difference.<br><br>Why do we do what we do? Because They Matter.
+
+
+
+ https://staging.giveth.io/project/Diapalante
+ Diapalante
+ Diapalante believes that in any community, there is the understanding and expertise to identify and solve many local issues. In Senegal and Mauritania, United Nations least developed countries, it is often poverty and its consequences that hold back development. Diapalantes mission is to work with our long-term local partners in Africa to enable them to create projects that bring sustainable, realistic and effective improvement to the lives of their fellow citizens.<br>Since 2005 Diapalante has carried out community-led development projects in Mauritania and Senegal, West Africa. Our role is to listen to our long-term local partners, Diapalante Senegal and Diapalante Mauritanie respectively, then through discussion and research select projects where our objectives, expertise and resources combine with theirs to produce a sustainable positive impact. Diapalante is a partnership - sharing knowledge and expertise. Where we can, in the UK and abroad, we use local volunteers but in Senegal the Diapalante Community Education Centre also employs three staff to enable the programme and a premises to function efficiently. All projects are delivered by our local partners in collaboration with the local community. These partnerships are the core of our work. <br>We have set up a range of projects in Mauritania which now operate independently. These include a workshop and training to enable people with disabilities to earn a living making shoes and clothing, a programme implemented in several towns to address the health needs of children who live by begging on the street, and a cattle vaccination park to improve the sustainability of the livelihoods of nomadic herders. <br>In Senegal we work with our partner Diapalante Senegal, to develop and deliver various educational projects under the umbrella of the Diapalante Community Education Centre which is located in Kaolack, one of Senegals largest cities. The Diapalante Community Education Centre opened in 2010 as a drop-in Centre offering "Education for All" regardless of age or background. The Centre helps people gain the skills they need to succeed in education, work and life. Open in the mornings then from mid-afternoon though to 9pm the Centre allows people to attend around school, work and family commitments.<br>The UN Human Development Index (2019) shows Senegals population has an average of only 3.2 years of education and a literacy rate of 52% in adults. Enrolment in primary school has risen to 81% with 40% dropping out before completing primary education and 44% of children going on to enrol in secondary school. After a short initial period the teaching language in school is French (the national language) though this is no-ones mother tongue. This is a barrier to progress particularly for those children whose parents, having little education themselves, do not speak French. <br>Diapalante addresses the great need for education and training opportunities which help children to thrive in school, give basic literacy and numeracy skills to children not in school or give adults the opportunity to gain skills useful in the workplace. The programme at the Diapalante Community Education Centre reflects both the strengths of the staff and volunteer teachers and the needs expressed by the community<br>This year the Centre has 500 beneficiaries of which 250 attend the Centres regular lessons and activities and an additional 250 children are in "outreach" projects. The Centre premises has a teaching yard, a small classroom, a stockroom, a computer room and a library. It is run by the Centre co-ordinator (Mamadou Kane aka Master P), assisted by two local staff, 2 British gap-year volunteers (not currently available due to COVID) and many local volunteers. The Centres teaching programme is outlined below: <br>Young Leaders Programme<br>The successful teenage Young Leaders program trains young volunteers to run after-school French learning activities for small groups of primary school children. The Young Leaders grow in confidence as they gain skills in self-organisation, communication and presentation of ideas and management of others in a calm and positive manner while reaching set teaching objectives. Their commitment through the year is acknowledged in a certificate awarded annually, a greatly prized part of their portfolio illustrating to employers their skills and experience of both leadership and teamwork. <br><br>Learning Boost: French after school activity primary school children<br>Our project addresses the problem that French is the language of teaching in Senegal but not anyones mother tongue. The lack of French skills is generally most marked in children whose parents have least education and so are less able to help their children gain the skills needed to succeed in school.<br>This after-school project is attended by 160 primary school children. Our teenage Young Leaders each encourage a small group of children to practice their French skills while completing a variety of games, reading and craft activities. <br>Analysis of school exam performance showed the 150 children who attended the pilot year of this after-school activity showed a significantly improved overall performance in their end of year exams by comparison with their peer group.<br><br>Literacy for street children (talibes)<br>A proportion of the children who do not enrol in primary school are talibes. These are boys who study the Koran and reside in koranic schools known as daaras. We have encountered starkly different attitudes and styles of running daaras which range from children living in the most deprived of conditions, who beg for their food and have little or no family contact, widely condemned as modern slavery, through to the modern daaras which offer education comparable with private boarding schools. <br>This pilot programme gives talibes basic skills which help them towards a sustainable future. Sixty talibes learn to read and write in their mother tongue. They also become competent in the basics of maths and occasionally do STEAM (science, technology, engineering, art, maths) activities.<br> <br>English<br>With a Centre co-ordinator who is fluent in English and 2 British volunteers our project is well placed to teach English. English language skills are useful for local jobs, West African trade and international trade. English lessons are popular with adults and schoolchildren. <br><br>Computer literacy<br>Being able to use a computer is a valuable skill in the search for office work in Senegal today. This learning is available to those in the best private schools. The computer skills programme at Diapalante redresses this, giving our members the skills to take jobs where computers are used. The course follows the French curriculum for computer literacy (Brevet) and ability is assessed online. Success gives a certificate of achievement.<br> <br>Library<br>We have a small library at the Diapalante Centre and this has an important role in introducing the value of books as both a learning resource and a leisure resource. Textbooks are generally shared and well-worn and book ownership is not commonplace so we are slowly building up a reference section of good copies.<br><br>Other activities<br>There are other activities and subjects which are offered by volunteers on a short or long-term basis including maths, French grammar, STEAM (science, technology, engineering, art and maths), preparation for work, environmental issues, citizenship. <br>The Centre passes surplus donated computer stock to the education authority in Kaolack.<br>We plan to expand the Centres outreach and activities as opportunities permit.<br><br>The Diapalante Community Education Centre: Possible future plans include:<br>1. Ensure funding of the current projects<br>2. Programme for women and girls<br>a. Explore options and need to teach reproductive health and family planning<br>b. Research period poverty - is there a serious problem?<br>c. Trial the acceptability of re-usable menstrual pads.<br>d. Enterprise training: creating re-usable menstrual pads<br>3. A more appropriate building for the Centre<br>The current ground floor apartment has served the Centre well but is now limiting its activities and outreach.<br><br>We also work with The Hillcrest Advisory Bureau and Bursary Fund in South Africa who support the underpriviledged community within the Valley of 1000 Hills near Hillcrest in KwaZulu Natal, South Africa by providing advice and access to education. We work together to develop their support of educational access to university and vocational courses. The in-country funding of this part of their programme was particularly hit by the financial effects of COVID19 so this year we have been involved in fundraising to sustain this work through the pandemic.
+
+
+
+ https://staging.giveth.io/project/AGAPE-ASSOCIATION
+ AGAPE ASSOCIATION
+ We are a non-Profit association focused on meeting the needs of under privileged youths in Douala. Our goal is to raise funds to establish a fully functioning day time refuge center so that the children of Douala have a safe space to go after school. We hel out children aged 5-14 years old who have had to resort to soliciting money on the streets out of school hours to help pay for their food, clothing, school fees etc.<br>Children aged 14-17 years old - who carry out mini jobs in order to support themselves and their families. Mini jobs include, selling small items on the street, shoe cleaning and proters. We currently support 14 children.
+
+
+
+ https://staging.giveth.io/project/The-Felix-Project
+ The Felix Project
+ The Felix Project is a food redistribution charity with a dual purpose that rescues surplus food from the UK food industry to help feed vulnerable Londoners. We rescue surplus food from nearly 500 suppliers such as wholesalers, supermarkets, farms, shops, restaurants, and hotels. Our team is assisted by an army of volunteers who sort, pack and transport this food for free to more than 1,000 community organisations, primary schools and childrens holiday programmes across London. <br><br>Our Vision: A London where no-one goes hungry and good food is never wasted<br><br>Our Mission: To rescue good food from becoming waste and divert it to people most in need
+
+
+
+ https://staging.giveth.io/project/NPO-Japan-Animal-Therapy-Association
+ NPO Japan Animal Therapy Association
+ Our mission is: to deliver interaction with therapy dog to all people who need the power of therapy dog. <br><br>Do you know that there are many people who spend every day looking forward to communicating with dogs?<br><br>People who live in institutions such as nursing homes, often suffer from a build-up of stress and a feeling of loneliness. Of course the staff there do their best to offer a good care, however, sometimes it is not enough to comfort them.<br><br>When these people spend time with dogs, those animals soothe and ease the mind, bringing out a smile from the people. People with physical disabilities or restricted movements try to move close to a dog too. They are often so touched as to shed a tear. Among those who have experienced the time with these dogs, some say "Im truly looking forward to seeing the dog again," and spend their days waiting for the next meeting.<br><br>In order to offer this healing contact with dogs to the many people who eagerly await it, in November 2009, we acquired the authentication from Japanese government to found JATA (Specified Nonprofit Corporation Japan Animal Therapy Association). It is run thanks to the cooperation of all our members, and we endeavor to spread animal therapy work throughout the country and the world.<br><br>We work with therapy dogs to provide contact with therapy dogs to all those who desire it.<br>We would like to build a bridge that links the hearts of people and dogs.
+
+
+
+ https://staging.giveth.io/project/Associacao-Gaucha-Pro-escolas-Familias-Agricolas
+ Associacao Gaucha Pro-escolas Familias Agricolas
+ I - Enable the integral promotion of the human person, promoting education and cultural development through action and socio-community education, in activities inherent to the interest of agriculture, especially regarding the sustainable development and social elevation of the family farmer from the spiritual-ethical-ecological, intellectual, technical, health and economic point of view;<br>II - Encourage, through education, entrepreneurial attitudes of rural youth, their families and communities, contributing to the access to the generation of work and income, as well as providing continuous formation processes of Alternation Educators / Monitors of Agricultural and Family Schools and several publics, with a view to contributing to mobilization of popular empowerment and emancipation in the complex sociocultural reality of the Brazilian countryside;<br>III - Ensure that the formation and animation activities of the EFAs are articulated and integrated with the promotion and sustainable development projects in which they are inserted;<br>IV - To promote, as its predominant activity, a contextualized and differentiated education, serving as a maintaining institution to regulate, manage, raise funds, represent and manage the operation of the Santa Cruz do Sul Family Farm School - EFASC, which may offer teaching courses High School and Vocational High School, as well as initial and continuing education, complementary and technical specializations of Rural Professional Learning, following the principles of the CEFFAs Network - Family Centers for Alternating Training in Brazil, with universality of service, scholarships and benefits related to school transportation, uniforms, teaching materials, housing and food;<br>V - Providing, conducting, executing and encouraging initial and ongoing processes of training for Alternating Educators / Family School Teachers and EFA association members;<br>VI - Promote a quality education, contextualized, differentiated and focused on the rural environment, in accordance with the foundations and principles of the CEFFAs Network, with a Pedagogy of Alternation methodology and appropriate to the Law of Guidelines and bases of National Education (LDB No. 9,394) / 1996) and the National Plan of Current Education (PNE), as well as Decree No. 7352, of November 4, 2010 and other normative instruments of field education and relevant legislation;<br>VII - Recognize the knowledge of family farmers and the community, recognize their role as alternative educator, seek and promote the construction of theoretical / practical knowledge from the local reality of youth and the harmful and sustainable development in activities related to agriculture, currently the education and training of young people, families and the community;<br>VIII - Encourage, carry out and promote the organization and mobilization of farmers and the youth of Family Farming in order to gain their rights and access to public policies;<br>IX - Promote moral and ethical values, valuing the spirit of solidarity, respecting the environment, promoting gender equity and analysis, ethnicity and patterns of group types, valuing cultural diversity and any nature;<br>X - Develop the attendance and evaluation of the beneficiaries of the Organic Law of Social Assistance - LAAS, their defense and guarantee of their rights. Promote social assistance - serving all stakeholders, including: children, adolescents, young people, adults, men, women, the elderly, people with disabilities and all minorities in society;<br>XI - Educational institution service to create, integrate, regulate, accredit, administer, covenant, fundraise, use, organize, maintain and use education resources at any level, including higher education - both undergraduate and postgraduate - University graduate. It may be offered or in partnership or cooperation with other universities;
+
+
+
+ https://staging.giveth.io/project/The-Skatepark-Project
+ The Skatepark Project
+ We help underserved communities create safe and inclusive public skateparks for youth.
+
+
+
+ https://staging.giveth.io/project/The-Seasteading-Institute
+ The Seasteading Institute
+ Seasteading is building floating societies with significant political autonomy. The Seasteading Institute is a nonprofit think-tank promoting the creation of floating ocean cities as a revolutionary solution to some of the world’s most pressing problems: rising sea levels, overpopulation, poor governance, and more…
+
+
+
+ https://staging.giveth.io/project/Musical-Mentors-Collaborative-Inc
+ Musical Mentors Collaborative Inc
+ Musical Mentors Collaborative is a nonprofit that provides free, student-centered music instruction to students who would not otherwise have access to private lessons, addressing structural inequities in music education.
+
+
+
+ https://staging.giveth.io/project/The-Cece-Yara-Foundation
+ The Cece Yara Foundation
+ Against the backdrop of pervasive child sexual abuse in Nigeria, our mission is prevent child abuse through community empowerment and support. And our vision is to create a safe and happy childhood for every Nigerian child, free from sexual abuse, with easy access to care, information, protection and emergency intervention
+
+
+
+ https://staging.giveth.io/project/Unstoppable-Foundation
+ Unstoppable Foundation
+ Unstoppable Foundation is a non-profit humanitarian organization that empowers lives through education. We (Unstoppable Foundation) move communities in developing countries from surviving to thriving so that every person can realize their full potential.
+
+
+
+ https://staging.giveth.io/project/SheCan-Women-Foundation-trading-as-She-Can-Nigeria
+ SheCan Women Foundation trading as She Can Nigeria
+
+
+
+
+ https://staging.giveth.io/project/Fedcap-Rehabilitation-Services-Inc
+ Fedcap Rehabilitation Services, Inc
+ To create opportunities for people with barriers to economic well-being.
+
+
+
+ https://staging.giveth.io/project/Associacao-de-Pais-e-Mestres-da-Escola-Estadual-Professora-Zilda-Romeiro-Pinto-Moreira-da-Silva
+ Associacao de Pais e Mestres da Escola Estadual Professora Zilda Romeiro Pinto Moreira da Silva
+
+
+
+
+ https://staging.giveth.io/project/Mensajeros-de-la-Paz-Spain
+ Mensajeros de la Paz Spain
+ The main objective of the ASOCIACIÓN MENSAJEROS DE LA PAZ is the care, attention, support, rehabilitation, treatment for human and social promotion of the most disadvantaged and needy groups in Spain and in several countries all over the world in order to promote their full integration: minors, young people living under social risk conditions, abused women, physical and psychical handicapped people, drug addicts, and old people who live alone, in abandon or poverty conditions.
+
+
+
+ https://staging.giveth.io/project/NGO-Club-Eney
+ NGO Club Eney
+ Our mission is <br>We are representatives of communities: people living with drug dependence and sex workers, who have united in their own organization.<br><br>- We build a world without violence, stigma and discrimination;<br>- We implement ideas and experiences of communities for a better life of people;<br>- We work for the benefit of people living with drug addiction and sex workers;<br>- We are looking for like-minded people and work in cooperation with partners.
+
+
+
+ https://staging.giveth.io/project/Lesedi-la-Batho
+ Lesedi la Batho
+ Lesedi la Batho is a Christian faith-based non-governmental organisation that seeks to inspire, empower, motivate, engage and equip the youth and the community at large through sport, education, skills training and social enterprise development, community wellness and arts & culture.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Street-Child-Espana
+ Fundacion Street Child Espana
+ Street Child is dedicated to breaking the barriers that prevent the most vulnerable children and teenagers in the world from accessing quality education through a holistic and cross-cuttting approach. Our organization promotes this access through accelerated solutions led by our local partners on the ground. In addition, Street Child promotes Human Rights of children, according to the United Nations Convention on the Rights of the Child.
+
+
+
+ https://staging.giveth.io/project/Catholic-Charities-USA
+ Catholic Charities USA
+ The mission of Catholic Charities is to provide service to people in need, to advocate for justice in social structures, and to call the entire church and other people of good will to do the same.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Bumi-Sehat-Ds-PKR-Nyuh-Kuning
+ Yayasan Bumi Sehat, Ds PKR Nyuh Kuning
+ We operate four Community Health and Education and Childbirth Centers within Indonesia, and one in the Philippines, as well as mobile Disaster Relief Birth and Health Services.<br><br>At our clinics, we offer a comprehensive range of allopathic and holistic medical care, including pre and post-natal care, breastfeeding support, infant, child and family health services, nutritional education, pre-natal yoga and gentle, loving natural birth services.<br><br>Each babys capacity to love and trust is built at birth and in the first two hours of life. By protecting pregnancy, birth, postpartum and breastfeeding, we are advocating for optimal humanity, health, intelligence and consciousness. <br><br>We believe that each individual is an essential societal component of peace. By caring for the smallest citizens of Earth - babies at birth - we are building peace: one mother, one child, one family at a time. Our mission is to improve the quality of life and encourage peace. <br><br>We also offer a scholarship program each year for nursing and midwifery students from poor families who cannot afford training. In addition, we have a Youth Center where local teenagers study permaculture, English and computing skills to help them improve their job prospects.
+
+
+
+ https://staging.giveth.io/project/Advocates-for-Children-CASA
+ Advocates for Children CASA
+ Our Mission is speaking up for abused and neglected children through Court Appointed Special Advocates, CASA Volunteers.<br>Our vision is that all children dream, thrive and grow with a sense of belonging and empowerment to build a successful future.
+
+
+
+ https://staging.giveth.io/project/The-Institute-for-Love-and-Time-(TILT)
+ The Institute for Love and Time (TILT)
+ We’re The Institute for Love and Time (TILT), a non-profit using science and cutting-edge thinking to create technologies designed to positively impact global mental health over time. We love designing non-additive and compassionate tools empowering individuals to heal
+trauma and connect to others using the power of unconditional love and time. At TILT, we believe that healing and acceptance are for everyone and create hope in the world. We know that unconditional love and mental time travel heal trauma. We provide scientifically tested trauma, wellness, and resilience support through self-guided healing software.
+
+
+
+ https://staging.giveth.io/project/Xavier-Catholic-School
+ Xavier Catholic School
+ The mission at Xavier Catholic School is to keep Christ at the center of our daily lives and to care for one another in a loving and safe learning environment. Xavier Catholic School cultivates an environment in which students become disciples and friends of Jesus Christ in a learning environment of faith, respect, and reason.
+
+
+
+ https://staging.giveth.io/project/Associacao-Viva-a-Vida
+ Associacao Viva a Vida
+ Associacao Viva a Vidas mission is the empowerment of adolescents and young people within a context of social risk so that they can make healthy choices and develop self-esteem, autonomy and control over their lives; the work focuses on educational, artistic, cultural, socio-environmental, sport and leisure activities, and community mobilization for the prevention of drug abuse, to combat violence and guarantee Human Rights.
+
+
+
+ https://staging.giveth.io/project/Bird-of-Peace
+ Bird of Peace
+ Training for conflict transformation trainers<br>Advocacy<br>Social action empowerment<br>Gender based violence<br>Nonviolence<br>Mediation
+
+
+
+ https://staging.giveth.io/project/Corporacion-Sociedad-Activa-United-Way-Chile
+ Corporacion Sociedad Activa - United Way Chile
+ Mobilize human, financial and material, linking with the community of business partners, public entities and NGOs to promote and enpower an integral development of early childhood in context of vulnerability.
+
+
+
+ https://staging.giveth.io/project/Mercy-High-School
+ Mercy High School
+ We, the community of Mercy High School, Burlingame, a Catholic College Preparatory school sponsored by The Institute of the Sisters of Mercy of the Americas, educate young women of diverse religious, ethnic, social and economic backgrounds to reverence and foster the dignity of each human person;to create a community of hospitality;to lead with integrity and compassion;to strive for excellence;and to proclaim Gospel values in word and action.
+
+
+
+ https://staging.giveth.io/project/BD-SS-WAY-FORWARD-FOR-CYPRUS-INNOVATION
+ BD-SS WAY FORWARD FOR CYPRUS INNOVATION
+ CyprusInno (operated by BD-SS Way Forward for Cyprus Innovation) is a nonprofit organisation founded by a mixed Greek- and Turkish-Cypriot team who have overcome decades of social and geographical division to create the first and largest cross-border platform connecting entrepreneurs on the divided island of Cyprus. Founded in late-2016, our organization operates a platform of digital tools and live events that utilizes a novel method of entrepreneurship as a mechanism for peacebuilding. As a mixed Cypriot team and citizens of a divided nation, we constantly wondered how we can actually build sustainable peace through innovative means. Our social venture, CyprusInno, challenges the division in Cyprus by creating a platform whereby all Cypriots can work together towards a peaceful and prosperous future while building a collaborative entrepreneurial ecosystem. CyprusInno uses entrepreneurship as a peace-building mechanism and entrepreneurs and peacemakers, and we ultimately built what we call and island-wide ecosystem with over 3,000 members and over 40 partners on both sides of the island. We host live inter-communal trainings, mentorship programmes, networking events, hackathons, panel events, etc.<br><br>Our mission is to bring young social entrepreneurs together in post-conflict regions such as Cyprus to build sustainable social businesses together and, as a result, sustainable peace to enable social and economic development.<br><br>We realize our mission through our hybrid digital, live events, and physical space platform model. Through this model, weve seen success both through our digital engagement, our live engagement (such as the largest inter-communal networking events in our islands history), social metrics through cross-border engagements and business collaborations, and our favorite, over 260,000 euros in value created through cross-border collaborations. <br><br>This year, we moved into historic 4-piece container located within the UN-controlled Buffer Zone on the border between both sides of the island, which we transformed from a military base into what we call a Social Impact Generator. The Base by CyprusInno is the first innovative space of its kind in the world located in a demilitarized zone on the border of both sides of the island and it combines the elements of a coworking center, meeting/office space, accelerator/incubator, innovation center, and multimedia studio. It is located on the grounds of the historic Ledra Palace in Cyprus UN Buffer Zone, now headquarters of the UN Peace Keeping Forces in Cyprus Sector Two, in the divided capital city of Nicosia. The Base by CyprusInno is a Social Impact Generator, where multiple players in our innovation ecosystem come together to co-create solutions to real world problems, thus leading to social impact and economic development and sustainable peace.<br><br>The Base aims to establish a peaceful and interactive space in the Buffer Zone that maximizes cooperation via entrepreneurship all while facilitating the formation of intercommunal startup that create social impact. We host a variety of programming including a social startup accelerator, co-working, resident startup teams, mentorship, events, and more, all with people from both sides of the island. <br><br>The Base is a 4-part military container that we transformed into an innovation space, by hand using upcycling methods, and with support of the local community. It can be accessed by entering Cypruss neutral zone from either side, and it features a coworking center and events space with a stage, custom coworking tables, catering, brainstorming lounge with writeable walls, a soundproof multimedia studio, a boardroom, and an office space.<br><br>Our mission here is to transform Cyprus dead zone into a creative space that empowers youth from rival communities to take control of their future as we battle a deepening division. The Base features a co-working room (events stage, locally built coworking table and high-top tables, brainstorming area with writeable walls, catering corner), a studio with recording capabilities, an office space for resident teams, and a board room. <br><br>Heres our deck with a virtual tour: https://cyprusinno.com/wp-content/uploads/2017/01/The-Base-by-CyprusInno-Overview_2021_vF-2.pdf
+
+
+
+ https://staging.giveth.io/project/Faith-Life-Church
+ Faith Life Church
+ Faith Life Church is a multi-cultural and multi-generational, family church, whose mission is to share the Good News of the Gospel and the principles of the Kingdom of God.
+
+
+
+ https://staging.giveth.io/project/Banco-de-Alimentos-Arquidiocesis-de-Santo-Domingo
+ Banco de Alimentos Arquidiocesis de Santo Domingo
+ Mitigar el hambre en la Republica Dominicana mediante el rescate y distribución de alimentos.
+
+
+
+ https://staging.giveth.io/project/Australian-Science-Innovations-Incorporated
+ Australian Science Innovations Incorporated
+ ASIs mission is to be a premier provider of innovative and challenging science programs, to achieve world-class performance at the International Science Olympiads and to create pathways for talented students into STEM careers.
+
+
+
+ https://staging.giveth.io/project/Association-des-Femmes-pour-le-Developpement-Durable-(AFDD)
+ Association des Femmes pour le Developpement Durable (AFDD)
+ Contribute to the fight against food insecurity and malnutrition in Africa.<br>Promote Sustainable Development Goals (SDGs) in France and in the World.
+
+
+
+ https://staging.giveth.io/project/ASOCIATIA-CLUB-ROTARY-CRAIOVA-PROBITAS
+ ASOCIATIA CLUB ROTARY CRAIOVA PROBITAS
+ Rotary Craiova Probitas, a non-governmental organisation member of Rotary International, which is an internationalservice organizationwhose purpose is to bring together business and professional leaders in order to providehumanitarian services, encourage high ethical standards in all vocations and to advance goodwill and peace around the world.
+
+
+
+ https://staging.giveth.io/project/reArmenia-Charitable-Foundation
+ reArmenia Charitable Foundation
+ The mission of reArmenia Charitable Foundation is to assist the economic, educational, cultural, social, technological and general development of the Republic of Armenia by building a platform / ecosystem (rearmenia.com) which enables effective collaboration of society.
+
+
+
+ https://staging.giveth.io/project/Brighter-Communities-Worldwide
+ Brighter Communities Worldwide
+ Our mission is to work in partnership with communities, to deliver programmes that enrich their lives and help create better futures for them and their families.
+
+
+
+ https://staging.giveth.io/project/Humane-Animal-Society-(HAS)
+ Humane Animal Society (HAS)
+ Humane Animal Society (HAS) is established to act as a strong network of compassionate, committed and courageous people who will protect animals against cruelty and work to bring about a change in attitudes, laws and life-styles towards improving conditions for animals in and around Coimbatore. HAS strives for animal liberation through treatment, rescues, rehabilitation and humane education. HAS conducts periodic workshops to instil compassion and love towards all species and make this world a better place for humans and animals alike.
+
+
+
+ https://staging.giveth.io/project/ArbeiterKindde
+ ArbeiterKindde
+ ArbeiterKind.de is Germanys largest community of first-generation students and a multi-award winning<br>social enterprise, from Ashoka Fellowship to the Federal Cross of Merit. Our mission is to change the image<br>of first-generation students, support them in accessing higher education and succeeding in their academic<br>pathways.<br><br>ArbeiterKind.de started as a website in 2008 and was registered in 2009 as a non-profit organization. The<br>charitable purpose is the promotion of university education for students of parents without university<br>degrees. <br><br>The success of ArbeiterKind.de is based on a countrywide network of about 6.000 volunteer<br>mentors in 80 nationwide 80 groups who are usually first-generation university students themselves. They<br>encourage others and fulfill a role model function through their own educational story, offering local and<br>accessible support for high school students and parents. <br><br>Since 2008 Arbeiterkind.de has support several<br>hundreds of thousands of first generation students.<br>ArbeiterKind.de makes its services available without a lot of bureaucracy, with a low threshold and locally<br>relevant for all students throughout Germany interested in going to university. It enables people with different<br>biographical, religious/cultural backgrounds and worldviews whose futures are connected to educational<br>advancement to find mutual support and give each other strength. ArbeiterKind.de can reach its target group<br>because the volunteers from ArbeiterKind.de usually belong to the target group.<br><br>Arbeiterkind.de helps develop a positive identity among its target group by emphasizing strengths rather<br>than highlighting stigma as "kids whose parents never went to university." <br>There is little culture of celebrating<br>the pioneer in Germany. There is no favorable German translation for "first-generation Student" (the most<br>common translation would be the "Nichtakademikerkind / Child of Non-Academics"). You rarely see<br>someone mentioning being a first-generation student in a CV or a public speech. It is something people tend<br>to hide, there is very little pride. It is therefore essential to change the image of first-generation students in<br>Germany and highlight their strengths and unique skills set.<br><br>Young people from families whose parents did not go to college who overcome the hurdles they face and<br>master the transition to the next higher educational stage demonstrate courage, perseverance and strength.<br>That kind of potential is essential for the economy and society.<br><br>Why ArbeiterKind.de?<br>The problem<br><br>The number of those studying in Germany has been rising continuously for years to its current level of nearly<br>2.9 million. Family background continues to be the decisive factor in a young persons decision of whether to<br>go on to college. <br>In a study on university attendance in Germany, the German Center for Higher Education<br>Research and Science Studies (DZHW) found the following: of every 100 children from families with parents<br>who went to college, 79 started college, while out of every 100 children from families with parents who did<br>not go to college, only 27 decided to go to college.<br><br>The social selection continues at the universities as well: 63 students from families with parents who went to<br>college achieved bachelors degrees, 45 masters degrees, and 10 attained a doctorate. But only 15<br>students from families with parents who did not go to college attained a bachelors degree, 8 a masters, and<br>only one person attained a doctorate. (source: University Education Report 2020, a study of the association<br>in cooperation with McKinsey, 2017)<br><br>Parents with no university experience tend to prefer vocational training and fast financial independence for<br>their child. The longer and more expensive path of college is frequently not an option, and the question of<br>finances plays a decisive role. In the case of many families, the child is not encouraged to take out loans<br>within the context of the German Federal Training Assistance Act (BAfoG). Scholarships as a means of<br>financing are not well known, and applying for one would only carry a small chance of success. <br>In addition,<br>the performance requirements for a college degree are often unclear or assumed to be too high. Those who<br>still dare to take the next step and get into a university often need more time and energy to acclimate. The<br>social setting at a university is very complex, the academic habits, the academic way of behaving and the<br>use of language can be foreign. <br>All of these factors can lead to insecurity from the start, which carries through everyday student life until they finish.<br><br>The Solution<br><br>The success of ArbeiterKind.de is based on a countrywide network of volunteer mentors who are generally<br>first generation college students themselves. Through their own educational stories, they encourage others<br>and fulfill a role model function, offering local needs-oriented and easily accessible support for high school<br>students and parents.<br><br>ArbeiterKind.de makes its services available without a lot of bureaucracy, with a low threshold and right<br>there locally for all students throughout Germany who are interested in going to college. It enables people<br>with different biographical, religious/cultural backgrounds and different world views whose future plans are<br>connected to educational advancement to find mutual support and give each other strength. ArbeiterKind.de<br>is able to reach its target group because the volunteers from ArbeiterKind.de usually belong to the target<br>group.<br><br>What does ArbeiterKind.de achieve?<br><br>Throughout Germany, there are 80 local volunteer groups with approximately 6,000 ArbeiterKind.de<br>volunteers. A bi-annual activity survey allows to measure the nationwide impact of the local volunteer<br>engagement. <br>From 2008 to 2019, Arbeiterkind.de has support several hundreds of thousands of first<br>generation students:<br> 8260 students seeking advice attended the regular group meetings and service hours<br> 2890 informational events at schools<br> 144,550 students supported at school events<br> 7,829 calls to the ArbeiterKind.de hotline<br> 2,710 ArbeiterKind.de information booths at education fairs<br> 170,900 students supported at the informational booths<br> 4,733,000 website visits at www.arbeiterkind.de<br> 444 trainings for volunteers<br> 6,141 training attendees<br> online support through ArbeiterKind.de communities on Facebook, Instagram, LinkedIn, Xing and<br>Twitter
+
+
+
+ https://staging.giveth.io/project/Deutsche-KinderhospizSTIFTUNG
+ Deutsche KinderhospizSTIFTUNG
+ Financial support of projects within the children hospice work in Germany. Public relation support for the situation of families with a child, who is going to die
+
+
+
+ https://staging.giveth.io/project/Diakonie-Katastrophenhilfe
+ Diakonie Katastrophenhilfe
+ Diakonie Katastrophenhilfe provides humanitarian aid worldwide. It supports people who have fallen victim of natural disasters, war and displacement and who are not able to cope on their own in the emergency situation they find themselves in. It is an effort to help people in great need - worldwide, regardless of their colour, religion and nationality.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Palo-Alto-Childrens-Theatre
+ Friends of the Palo Alto Childrens Theatre
+ To support the theatre by providing volunteer help, publicity, and advocacy, and to raise funds for special equipment and scholarships not included in the city budget.
+
+
+
+ https://staging.giveth.io/project/Dignity-for-Children
+ Dignity for Children
+ To support local initiatives helping extremely poor children in the Global South
+
+
+
+ https://staging.giveth.io/project/We-women-foundation
+ We women foundation
+ We women is a foundation that strives to achieve equality for various groups of people in the world. The foundation assists women, refugees, ethnic minorities, and disadvantaged groups with their questions, struggles and needs, as they are formulated within their own terms. Academic research is the first step in this process because it helps to gain insight into local beliefs, practices and ambitions. The key areas of We womens engagement include personal growth, social inclusion, (mental) health, education, and the encouragement of creative initiatives, with the ultimate goal of achieving equality for all.
+The We women foundation has been based in Chiang Mai, Thailand, since 2010, where we have been developing and implementing the We women from Burma Project. This project promotes the education and well-being of unrecognized refugee women from Burma. The Foundation targets women whose passions, goals and motivations implicate them as future leaders of Burma. We women provides a much needed service to women from Burma by offering them the opportunity to succeed in higher education. Each year the We women foundation supports a select number of qualified women as they prepare themselves for leadership in their country and communities. We women assists students as they prepare themselves for university by advising them during the application process and throughout their job search. During each womans period of study, the We women foundation provides scholarship funding for their university tuition, as well as academic tutoring and coaching. In order to provide long-term support, We women assists its alumni in their search for positions as they enter the professional world.
+
+The long-term aim of the We women from Burma project is to assist unrecognized refugee women into obtaining higher positions within policy making or influential organizations so that they then can empower other women and their communities, on their own terms.In order to realise our long-term objective, the We women foundation intends to make higher education accessible for the future female leaders of Burma. In addition, we assist them where possible in the process of professional development. To this end we have developed a number of short-term goals:
+ To ensure prospective students have the necessary qualifications and documentation to be admitted to a university of their choice, so they can make well informed and realistic decisions about their future education.
+ To grant scholarships to the most promising students, so they can successfully enroll at the university of their choice and not experience financial restraints while completing their degrees.
+ To support and coach students during their studies at university, so they can successfully complete their degree and gain all the theoretical knowledge they need for their future careers.
+ To create opportunities for students to gain practical working experience in an internship setting, so they can put their education and theoretical knowledge into practice, build their credentials and further develop practical expertise.
+ To assist alumni in obtaining key positions in policy making and influential organizations.
+ To research community needs in order to improve existing programs and create new programs with research results.
+ To provide a gender program that addresses gender issues in the community in order to promote gender equality and create a platform for women leaders.
+
+These goals are collectively addressed by our programs, which jointly make up the We women from Burma project.
+
+
+
+ https://staging.giveth.io/project/SBCC-Foundation
+ SBCC Foundation
+ The SBCC Foundation fuels the excellence of Santa Barbara City College by engaging the community, building relationships, and inviting the generosity of donors. The resources raised and managed by the Foundation enrich college programs, remove barriers, and empower students to succeed.
+
+
+
+ https://staging.giveth.io/project/Club-Sportiv-Motorhome-Napoca-Rally-Team
+ Club Sportiv Motorhome Napoca Rally Team
+ Club Sportiv Motorhome Napoca Rally Team was created in order to carry out sports, motor sports, driving safety programs and road traffic education. CS Motorhome Napoca Rally Team is encouraging young talents in the sport. The Club allocates part of its resources in educational activities for young people, aiming road education in schools or in other events such as conferences, training courses, extracurricular activities organized in partnership with the government and other organizations.
+
+
+
+ https://staging.giveth.io/project/Teach-For-Taiwan
+ Teach For Taiwan
+ Teach For Taiwan (hereafter, TFT) is a chartered non-profit organization that has been working towards the mission of providing youths from all academic disciplines in the country and from overseas to tackle educational inequality for children from low socioeconomic backgrounds at disadvantaged schools and communities. <br><br>TFT fellowship program recruits, trains, and supports talented graduates and professionals to teach in high-need schools for 2 years, and prepares them to be lifelong leaders dedicated to educational equity for Taiwan. TFT also seeks to build a network and pass on paradigms whereby the alumni (finished two-year program) and supporters are able to navigate their career path by making a long-term impact and drive a nationwide movement to solve the educational inequality problem.<br> <br>TFT believes that each child should have equal rights and opportunity to realize his or her full potential, and that education should not be compromised by solvable problems. To this end, TFT has been working with schools, communities, like-minded organizations, businesses, and government to drive a nationwide movement. The systemic change TFT envisions not only entails success for children from all backgrounds, but also the collective consciousness of society advocating for a world with educational equity.
+
+
+
+ https://staging.giveth.io/project/Teach-For-India
+ Teach For India
+ Create a movement of lifelong leaders working from within various sectors to eliminate educational inequity in the country.<br>Vision:<br>One day all children will attain an excellent education.
+
+
+
+ https://staging.giveth.io/project/Peace-Winds-Korea
+ Peace Winds Korea
+ Our mission is to realize peace in East Asia, including the Korean Peninsula, and sustainable life for young people.<br><br>1. Beyond the conflicts and antagonisms of East Asian countries, we want to create a symbiotic community centered on peace and prosperity. For this, PWK will become an East Asian platform that manages the absolute crisis facing mankind and achieves the UN sustainable development goals(UN SDGs). We are going to take a new path that will serve as the cornerstone of peace on the Korean Peninsula and peace community in East Asia.<br><br>2. PWK will send young Koreans to international cooperation sites and train them. Foreign NGOs who have entered Korea tend to stick to fundraising. They neglect to send young people to international cooperation sites. When young Koreans grow up solving various challenges at the international cooperation sites, they will be able to become the people who fit into the new era and lead our future.<br><br>3. PWK will support North Korea, which faces the worst situation in the world, but has unlimited potential. Instead of unilateral support, we are trying to help North Korea to promote co-prosperity as partners who will live together in East Asia. As history shows, symbiosis is the only way in East Asia.
+
+
+
+ https://staging.giveth.io/project/Teach-For-Japan
+ Teach For Japan
+ Teach For Japan, contributes to establishing a society, where all children, regardless of their region, type of school, or socio-economic circumstances, have access to quality education, so that they can reach their full potential. The mission of Teach For Japan is to recruit, encourage and prepare talented and ambitious young people to become effective and inspiring teachers and leaders to be able to facilitate access to quality education for every child in Japan.
+
+
+
+ https://staging.giveth.io/project/Cork-Life-Centre
+ Cork Life Centre
+ Under the Trusteeship of the European Congregation of Christian Brothers, Cork Life Centre is an alternative centre of education that works with 12 - 18 year old young people who are no longer in the mainstream education system. The Life Centre supports these young people in preparation for their Junior and Leaving Certificate examinations. The Centre takes a holistic approach to education and in this regard we have counsellors and therapists working with our students, along with outreach and advocacy services. Since its inception, over 150 young people have completed their Junior and/or Leaving Certificate examinations, with 88% of our Leaving Cert Cohort between 2018 and 2021 progressing to 3rd level or further education.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Greater-Charlottesville
+ United Way of Greater Charlottesville
+ The United Way of Greater Charlottesville connects our community, enabling individuals and families to achieve their potential. We envision a strong, equitable community where every person can thrive.
+
+
+
+ https://staging.giveth.io/project/Crete-For-Life
+ Crete For Life
+ Crete For Life is a child focused charity that works on practical projects to make an immediate - but hopefully lasting - impact on childrens lives.
+
+
+
+ https://staging.giveth.io/project/Association-of-Mission-Volunteers
+ Association of Mission Volunteers
+ To share who we are and not just what we have
+
+
+
+ https://staging.giveth.io/project/Childline-Kenya
+ Childline Kenya
+ Childline Kenyas mission is to promote childrens rights and enhance child protection in Kenya by delivering quality services through harnessing the power of ICT innovations. The organisation was established in 2004 with a remit to provide a 24-hour toll-free helpline for counselling and referral services to children, young persons and their families. We have since added chat and email counselling to our services and have developed a broad portfolio of outreach and educational projects.<br><br>By offering a communication channel to children in distress, Childline Kenya aspires to become an organisation that not only extends support and sanctuary to victims of abuse, but one that adds weight to the message that crimes against children will not go unchallenged. To this end, we work with a network of members and partners from across the child welfare and childrens rights community to offer the full spectrum of support and advice.<br><br>Our vision is a society where every child is heard and childrens rights and dignity are upheld at all times. The work of Childline Kenya is based on our core values of commitment, courage of conviction, integrity, competence, reliability and action.
+
+
+
+ https://staging.giveth.io/project/Colobus-Conservation
+ Colobus Conservation
+ To promote, in close co-operation with other organisations and local communities, the conservation, preservation and protection of primates, in particular the Angolan colobus monkey (Colobus angolensis palliatus) and its associated coastal forest habitat in Kenya
+
+
+
+ https://staging.giveth.io/project/CITADEL-CHARITY-ASBL
+ CITADEL CHARITY ASBL
+ Our mission or goal is to reduce extreme poverty by empowering women (widows) who lost their better halves and are now left with fending for their children. This women need to be empowered to enable them take on the responsibility of providing for their childrens well-being.
+
+
+
+ https://staging.giveth.io/project/Afrilanthropy
+ Afrilanthropy
+ To unleash Africas full potential by helping the most promising social businesses to scale up and maximize impact.
+
+
+
+ https://staging.giveth.io/project/ALBERGUE-INFANTIL-DE-IRAPUATO-AC
+ ALBERGUE INFANTIL DE IRAPUATO AC
+ IMPACTAR LA VIDA DE LOS NINOS Y ADOLESCENTES EN SITUACION DE VULNERABILIDAD, BRINDANDOLES LAS HERRAMIENTAS NECESARIAS PARA DESARROLLARSE DE MANERA INTEGRAL.
+
+
+
+ https://staging.giveth.io/project/Asociacion-de-Profesionistas-Especializados-en-Atencion-al-Adulto-Mayor-AC
+ Asociacion de Profesionistas Especializados en Atencion al Adulto Mayor AC
+
+
+
+
+ https://staging.giveth.io/project/Autism-today-Association
+ Autism today Association
+ Autism Today is an association created by specialists in the field of applied behavioral analysis, parents of children with autism and public figures supporting the cause of establishing specialized centers for social integration of children with autism.<br><br>The mission of the organization is to create specialized centers for providing social services for children and young people with autism, in which the therapy of children and young people to be performed by specialists who use scientifically proven methods and adhere to world and European professional and ethical standards for practice.
+
+
+
+ https://staging.giveth.io/project/Academy-Camp
+ Academy Camp
+ To provide children in the areas affected by the Great East Japan Earthquake and TEPCO Fukushima Daiichi Nuclear Power Plant accident, who have been deprived of opportunities to freely enjoy outdoor activities, with occasions to be in touch with the great nature and to experience the state-of-the-art science, technology, sports and other arts.
+
+
+
+ https://staging.giveth.io/project/Maisto-bankas
+ Maisto bankas
+ In 2020 „Maisto bankas" rescued 5307 tons of edible food, which otherwise would have gone to landfill. Food waste is a major ecological issue. About 25 percent of global greenhouse gas emission is generated by the food supply chain. One third of all the food produced for human consumption is wasted. Which means that food, that has already caused a negative impact on planet earth, is discarded. <br><br>On the other hand, 20 percent of lithuanian population suffers food insufficiency. <br><br>By saving food „Maisto bankas" solves two problems - ecological and social.<br><br>"Maisto bankas" is the largest and most recognizable Lithuanian charity, working in collaboration with 600 local organizations operating in 81 Lithuanian cities and towns.<br>Every fifth family in Lithuania faces an unpleasant dilemma every week - to allocate their very limited family budget for food or other necessities - medicines or after-school activities for children. We work hard to ensure that families do not face such choice and as less as possible would go to sleep hungry.<br><br>Maisto bankas has resources to reach only 1/3 of all people in need. We struggle to support living in distant regions. Therefore we sincerely ask you to donate to Maisto bankas. With the donation of 1 Euro we can provide 15 meals, so even small gifts of funds matter.<br><br>Sincere thanks for your kindness!
+
+
+
+ https://staging.giveth.io/project/The-International-Lesbian-Gay-Bisexual-Trans-and-Intersex-Association-(ILGA)
+ The International Lesbian, Gay, Bisexual, Trans and Intersex Association (ILGA)
+ 1. To act as a leading organisation and a global voice for the rights of those who face discrimination on the grounds of sexual orientation, gender identity, gender expression and/or sex characteristics (SOGIESC).<br>2. To work towards achieving equality, freedom and justice for lesbian, gay, bisexual, trans and intersex people through advocacy, collaborative actions, and by educating and informing relevant international and regional institutions as well as governments, media and civil society.<br>3. To empower our members and other human rights organisations in promoting and protecting human rights, irrespective of peoples sexual orientation, gender identity, gender expression and/or sex characteristics and to facilitate cooperation and solidarity among ILGA regions and members.<br>4. To promote the diversity and strengths of persons of diverse SOGIESC around the world.
+
+
+
+ https://staging.giveth.io/project/Teach-for-Mongolia
+ Teach for Mongolia
+ Empower every child to create the future they want.
+
+
+
+ https://staging.giveth.io/project/Chance-For-Children
+ Chance For Children
+ Chance for Children is committed to breaking the cycle of poverty by providing financial and advisory support to children in need so that they have an equal access to educational opportunities outside of schools. <br><br>Chidren who receive CFCs Study Coupons can select and participate in out-of-school activities based on their needs and/or interests, including tutoring schools, arts & crafts, music, sports and nature programs, throughout the year.
+
+
+
+ https://staging.giveth.io/project/Third-Wave-Volunteers
+ Third Wave Volunteers
+ Third Wave Volunteers first responders are a disaster relief non-profit 501c3 set up to mobilize medical and non-medical responders and sustainable aid ( solar and water filtration) to underserved and affected communities.
+
+
+
+ https://staging.giveth.io/project/Sudan-ICTA-Advisory-Group-(SICTA)-for-Information-Technology-and-Communications
+ Sudan ICTA Advisory Group (SICTA) for Information Technology and Communications
+ Sudan Information and Communication Technology Advisory (SICTA) is a public benefit registered organization in Sudan. SICTA was established by a group of independent Sudanese information technology experts who have taken the initiative to help shape a viable ICT sector in Sudan and socio-economic empower the Sudanese citizens to use the Internet.
+
+
+
+ https://staging.giveth.io/project/Consejo-Potosino-de-Ciencia-y-Tecnologia
+ Consejo Potosino de Ciencia y Tecnologia
+
+
+
+
+ https://staging.giveth.io/project/Boys-and-Girls-Clubs-of-Canada
+ Boys and Girls Clubs of Canada
+ To provide a safe, supportive place where children and youth can go to experience new opportunities, overcome barriers, build positive relationships and develop confidence and skills for life.<br><br>At 87 Clubs and 775 service locations in every province in Canada, through life-changing programs, community-based services, and relationships with peers and caring adults, BGC Canada helps kids and teens develop the skills they need to succeed.
+
+
+
+ https://staging.giveth.io/project/Tumaini-Miles-of-Smiles-Centre
+ Tumaini Miles of Smiles Centre
+ Our mission is to advocate for the underprivileged children and women, release them from their economic, social and physical poverty and enable them to become responsible and fulfilled people in the society.<br><br>Tumaini Miles of Smiles Centre was founded in 2004 after seeing the need in the rural areas especially in the lives of the orphans, vulnerable children and poor families. Rural areas are areas that rarely benefit from large international organisation as they are not easily accessed and this has left many children and women to suffer with no hope. It is in this regard that Tumaini was founded to be a light in the lives of the needy in rural areas.
+
+
+
+ https://staging.giveth.io/project/Centre-for-Sustainable-Development-and-Education-in-Africa
+ Centre for Sustainable Development and Education in Africa
+ The CSDEA advocates transformational policies that lead to peacebuilding, health and good governance through advocacy, capacity development, reflective dialogue and research. The CSDEA also embraces a multi-stakeholder approach while networking with organizations that share similar values at the local, sub-regional, continental and global levels.
+
+
+
+ https://staging.giveth.io/project/Emet-Outreach
+ Emet Outreach
+ Emet is a multifaceted educational and social outreach organization whose mission is to spread the beauty and relevance of Judaism to young adults yearning to discover and connect with their heritage. Students are continually encouraged by the warm, dedicated Emet staff to take additional steps to enhance their personal growth.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-Northwest-Georgia
+ Boys Girls Clubs of Northwest Georgia
+ The mission of the Boys & Girls Clubs of Northwest Georgia is to enable all young people, especially those who need us most to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/Peace-Winds-Japan
+ Peace Winds Japan
+ 1) Provide timely humanitarian relief in emergencies to help people whose lives have been threatened by conflicts and natural disasters. <br><br>2) Assist communities whose social foundations have been destroyed by providing rehabilitation and development cooperation for self-sustainability. <br><br>3) Pursue conflict prevention and resolution through our field activities. <br><br>4) Raise public awareness by disseminating information on assistance needs. <br><br>5) Put forward proposals for improving the effectiveness of relief-providing mechanisms in society.
+
+
+
+ https://staging.giveth.io/project/Association-Bahri
+ Association Bahri
+ Protect the ocean and raise awareness amongst the youth regarding environmental protection and climate change.<br>We educate the youth to protect the environment through beach cleanups, sport activities and education
+
+
+
+ https://staging.giveth.io/project/Al-Ehsan-Charitable-Foundation-Nepal
+ Al Ehsan Charitable Foundation Nepal
+ Al Ehsan Charitable Foundation (Nepal), which is licensed for charitable work in Nepal (Registration No:2646/074/75, PAN:606933953) and is concerned with providing relief and education services to the whole community in Nepal.. <br>Our vision<br>Promote non-profit (charitable) work to the high level.<br>Objectives: <br>The Organization is based on the following objectives:<br> 1. Serving the people of Nepal in relief and advocacy. <br>2. Sponsorship of orphans, widows, the poor, the needy and those with special needs. <br>3. Providing relief services. <br>4. Providing educational services and providing scholarship programs.<br>Our projects:<br> 1. Education: Building safe, secure and comfortable schools and supporting teachers to provide high quality education.<br> 2. Orphans: Providing orphans sponsorship<br> 3. Water: Providing safe water supplies to communities.<br> 4. Food Distribution projects: It is the distribution of food parcels among the poor people.<br> Request to donors<br> Al Ehsan Charitable Foundation (Nepal) is a charitable organization, and it has multiple projects in the field of relief, education, training, social and voluntary fields, and these projects need financial support to achieve their noble goals, and the Foundation does not have an independent financial income except for reliance on God and then on you. The Foundation request for help and assistance to philanthropists and donors to achieve the goals and activities of the Foundation. "God does not waste the reward of the doers of good." Peace, mercy and blessings of God<br><br>Thank You<br>Al Ehsan Charitable Foundation Nepal
+
+
+
+ https://staging.giveth.io/project/Caye-Caulker-Ocean-Academy
+ Caye Caulker Ocean Academy
+ Mission:Created in partnership with the community and for the preservation of the natural environment, Ocean Academy fosters the academic, physical and spiritual growth of all students who demonstrate a strong desire to learn, preparing graduates to pursue a life at home or abroad with personal and professional achievement.<br><br>School Motto: Preserving Our Heritage, Creating Our Future<br><br>Founding Principles: Equitable access to education, youth engagement, experiential learning
+
+
+
+ https://staging.giveth.io/project/Instituto-Sinal-do-Vale
+ Instituto Sinal do Vale
+ The Instituto Sinal do Vale evolved from CEMINA ( Communication, Education, Information and Adaptation), a not- for- profit organization founded in 1990 to empower women and communities through the use of the radio. In 2007, CEMINA shifted its focus from radio to the capacity building for social start ups and education for adaptation to climate change. One of its main projects was Adapta Sertao, which developed a social technology that benefits the population of small underserved towns in the semi-arid region of Brazil, articulating a group of social technologies that use scare resources such as water and arable land to guarantee the livelihoods of the local farming communities. The project received very prestigious awards such as the 2008 SEED Award. It has also been recognized as a best practice by UN Habitat. In 2008, CEMINA developed a second agroecological program to restore de Atlantic Rainforest in the peripheral communities of Rio de Janeiro, called Sinal do Vale. Since then, SINAL has grown to take prominence as a reference of sustainability solutions and environmental education in the region, hosting more than 4,000 change agents from all over the world and acting as a hub where innovative ideas are tested and scaled up.
+
+
+
+ https://staging.giveth.io/project/Dare-to-Dream-Foundation
+ Dare to Dream Foundation
+ We positively impact the lives of youth, women and girls through education, networking, mentorship and scholarships in aviation and STEM.
+
+
+
+ https://staging.giveth.io/project/Jewish-National-Fund
+ Jewish National Fund
+ Unparalleled in the Jewish philanthropic world, Jewish National Fund-USA’s strategic vision has been and always will be, to ensure a strong, secure, and prosperous future for the land and people of Israel. Everything we do -- every project, initiative, and campaign we take on – is integral to our vision of building and connecting to our land.
+
+
+
+ https://staging.giveth.io/project/ECPAT-Indonesia
+ ECPAT Indonesia
+ Towards members: committed to enhance cooperation within the network, provide adequate capacity to the members, and broader the network in every effort to combating the sexual exploitation of children.<br>Towards society: increase awareness, general concern and critical perspectives on the commercial-sexual-exploitation of children, by investing in participation by the society at large and the younger generation as focus.<br>Towards government encourage the government to take administrative and legal action in combating commercial exploitation of children in Indonesia
+
+
+
+ https://staging.giveth.io/project/Basmeh-Zeitooneh-Lebanese-Association
+ Basmeh Zeitooneh - Lebanese Association
+ A non-governmental organisation that works amongst the most vulnerable and marginalised groups to fill the gaps in assistance, and to respond to the most urgent relief and developmental needs, with the goal of empowering individuals so that they may contribute to the advancement of society.
+
+
+
+ https://staging.giveth.io/project/Purposeful-Productions
+ Purposeful Productions
+ For millennia, girls have played a critical role in struggles for freedom and liberation. From Africas anti-colonial movements to the Arab spring to climate justice organising and everything in between - their resistance has always sparked and sustained transformational change.<br><br>And yet, too often girls are separated from resources and shut out from decision-making spaces, their power deliberately obscured and hidden from view.<br><br>Centering the political power of young feminists across the world, we work so that girls and their allies have access to the resources, networks and platforms they need to power their activism and remake the world.
+
+
+
+ https://staging.giveth.io/project/DARE-Network-(Drug-and-Alcohol-Recovery-and-Education-Network)
+ DARE Network (Drug and Alcohol Recovery and Education Network)
+ DARE (Drug & Alcohol Recovery & Education) Network is a grassroots national NGO. DARE Network provides culturally appropriate non-medical treatment & prevention education to reduce substance abuse & associated social issues within the communities of displaced ethnic people from Burma, along the Thai/Burma border. DARE Network envisions the strength of ethnic people from Burma to use the power of recovery from addiction as a non-violent means to resist oppression. A Free Mind Cannot Be Destroyed.
+
+
+
+ https://staging.giveth.io/project/iPartner-India
+ iPartner India
+ iPartner Indias mission is to give a voice to grassroot NGOs and inspire individuals & businesses to join efforts in creating a better India.
+
+
+
+ https://staging.giveth.io/project/St-Gregorys-Foundation
+ St Gregorys Foundation
+ St Gregorys Foundation works in Eastern Europe to tackle the social problems facing children, teenagers, parents and carers. Our projects address the root causes of disadvantage by putting families before institutions, strengthening a sense of responsibility in young and old alike and providing opportunities for vulnerable people to fulfill their potential. Our work makes our beneficiaries active participants in improving their own lives and encourages a more charitable society.
+
+
+
+ https://staging.giveth.io/project/Aid-Afghanistan-for-Education
+ Aid Afghanistan for Education
+ To unlock the potential of young marginalized Afghans through education as a means to prepare them to fully participate in the society.
+
+
+
+ https://staging.giveth.io/project/International-Disaster-Volunteers-(IDV)
+ International Disaster Volunteers (IDV)
+ At IDV we believe that to provide meaningful relief and reconstruction assistance to disaster affected communities around the world we have to do more than reconstruct buildings. We need to understand and address the factors that made a community vulnerable to the disaster in the first place. Our work will be organised with these factors in mind so we can effect change that far outlives our presence.
+
+
+
+ https://staging.giveth.io/project/ESCUELA-PRIMARIA-EMMANUEL
+ ESCUELA PRIMARIA EMMANUEL
+ Ofrecer soluciones a los desafios de nuestro tiempo, fortalecer, incrementar y construir el caracter de cada uno de los participantes del proceso ensenanza-aprendizaje, satisfaciendo las necesidades comunicacion linguistica, intelectual y socio-cultural y espiritual valorizando el medio natural y social donde interactuan la escuela, la sociedad y nuestra comunidad.
+
+
+
+ https://staging.giveth.io/project/Childhood-Cancer-Fund-Rugut
+ Childhood Cancer Fund Rugut
+ The objectives of the Childhood Cancer Fund Rugut is to extend aid and charity to children who are or have been ill with cancer, to help their families, as well as to support the development of the science and practice of oncology in Lithuania. The Fund organizes different projects in order to ensure a versatile help for the families hit with childs oncological disease. The Fund cooperates with other Lithuanian, as well as foreign, organizations and funds.
+
+
+
+ https://staging.giveth.io/project/Avenues-Early-Childhood-Services-Inc
+ Avenues Early Childhood Services, Inc
+ We believe that all children deserve to be raised in a thriving environment that encourages health, happiness, and success.
+
+
+
+ https://staging.giveth.io/project/Alianza-Arkana
+ Alianza Arkana
+ Alianza Arkana is an intercultural grassroots organization committed to the protection, development and wellbeing of the Peruvian Amazon and the Shipibo-Konibo peoples. <br><br>We serve as a bridge, facilitating access to financial, administrative and educational tools and services so Shipibo communities can live healthy, fulfilled lives By co-creating regenerative solutions in the Amazon, were committed to celebrating indigenous traditions while protecting our rainforests.
+
+
+
+ https://staging.giveth.io/project/Diaconia-Asociacion-Evangelica-Luterana-De-Ayuda-Para-El-Desarrollo-Comunal
+ Diaconia, Asociacion Evangelica Luterana De Ayuda Para El Desarrollo Comunal
+ We are a non-governmental development organization constituted on July 14, 1983 as the social arm of the Lutheran church in Peru.<br>We are men and women who, motivated by our faith, work with families in situations of economic, social and environmental vulnerability, in order to create the right conditions for a dignified life.<br>Since our creation, we have dedicated our commitment and effort to the promotion of territorial development with a focus on sustainable human development, promoting healthy housing, with emphasis on education, health and nutrition, facilitating processes that contribute to economic and social development, with a focus on rights, gender and interculturality.
+
+
+
+ https://staging.giveth.io/project/Angel-House-Orphanage-Foundation-Inc
+ Angel House Orphanage Foundation, Inc
+ The mission statement for Angel House is very simple: LOVE : The most important right of every child is to receive love and to be accepted as a member of a family. CARE: This includes caring for their physical, mental, emotional and spiritual needs. PROTECTION: Our aim is to protect these children from further exploitation, neglect or abuse.
+
+
+
+ https://staging.giveth.io/project/International-Blue-Cross
+ International Blue Cross
+ The International Blue Cross is one of the worlds leading non-governmental organisations, caring for people harmed by or at risk from alcohol or illicit drug use.<br><br>Our project work in prevention, treatment & counselling and aftercare focuses primarily on young and vulnerable people, and on those in extreme poverty. Through carefully researched and targeted interventions we advocate for evidence-based alcohol policies at the national and international level. In doing so, we seek to draw positive and dignified attention to the issues faced by dependent people and their families. Our Vision: We see a world where all people can knowingly choose and live a life free of harmful addiction; a world where all people harmed by addiction have access to and can benefit from high quality and holistic treatment. Our Mission: We provide healthcare development support and promote holistic well-being; We prevent and reduce the harmful use of alcohol and illicit drugs and help mitigate the associated negative health, social, and economic consequences; We advocate for evidence and best practice-based alcohol policy formulation and implementation on the national and international levels. Alcohol and illicit drug misuse afflicts innumerous individuals and families. It also costs societies around the world billions of dollars in health and socio-economic costs. This growing burden is worthy of everyones attention. The International Blue Cross constitutes a credible and renowned organisation driven by the values, the sort of professionalism, governance, and local community connections needed to effectively address this global challenge.
+
+
+
+ https://staging.giveth.io/project/National-Museum-of-Bermuda
+ National Museum of Bermuda
+ The National Museum of Bermuda aspires to be a first-class national museum and research facility, inspiring engagement with and protection of Bermudas diverse cultural heritage.
+
+
+
+ https://staging.giveth.io/project/African-Angels
+ African Angels
+ To provide quality education to orphans and vulnerable children in South Africa who would not otherwise be able to afford it.
+
+
+
+ https://staging.giveth.io/project/ANYA-FOUNDATION
+ ANYA FOUNDATION
+
+
+
+
+ https://staging.giveth.io/project/Integrame-Down
+ Integrame Down
+
+
+
+
+ https://staging.giveth.io/project/The-Healing-Place-Inc
+ The Healing Place, Inc
+ The mission of The Healing Place is to reach individuals suffering from drug and alcohol addiction, provide the tools for recovery, and restore meaningful and productive lives.
+
+
+
+ https://staging.giveth.io/project/Tigers4Ever
+ Tigers4Ever
+ Tigers4Evers mission is to Give wild Tigers a wild Future. We do this by halting the decline of wild tiger populations by helping people living on the periphery of tiger territories, equipping forest patrols, providing anti-poaching patrols and providing permanent solutions to water scarcity for wildlife. All projects are geared towards protecting wild tigers in their natural habitat in India. We work with local communities & the Forest Department to build a future where people live in harmony with and have an enhanced understanding of tigers.
+
+
+
+ https://staging.giveth.io/project/ASSOCIATION-TUNISIENNE-DE-LUTTE-CONTRE-LE-CANCER
+ ASSOCIATION TUNISIENNE DE LUTTE CONTRE LE CANCER
+ help patients in their treatment and accommodate them in the home during their treatment because some live far away
+
+
+
+ https://staging.giveth.io/project/Fundacion-Oyeme
+ Fundacion Oyeme
+ To be facilitators of social inclusion, from the perspective of rights, from the support and accompaniment in the contexts: family, school and work of people with Hearing Disabilities and / or Specific Language Disorder.
+
+
+
+ https://staging.giveth.io/project/Aswat-Nissa
+ Aswat Nissa
+ Aswat Nissa is a Tunisian non-governmental organization. Created in 2011, it is independent of any political influence. Inclusive, we advocate for the integration of the gender approach into public policies by encouraging Tunisian women to speak up and take their rightful place in public and political life. "Aswat Nissa" translates from Arabic to French as "Voice of Women".
+
+
+
+ https://staging.giveth.io/project/Easterseals-Southwest-Human-Development
+ Easterseals Southwest Human Development
+ Southwest Human Development strengthens the foundation Arizona’s children need for a great start in life.
+
+
+
+ https://staging.giveth.io/project/Dunya-Doktorlari-Dernegi
+ Dunya Doktorlari Dernegi
+ DDDs mission is to provide lifesaving and life-sustaining medical care to those most in need by assisting populations in distress, victims of natural and man-made disasters or armed conflicts.<br>Since 2015, DDD implements programmes in both Turkey and Syria, offering free access to healthcare services to refugee and internally displaced populations. DDD works with a range of humanitarian professionals and technical experts to provide PHC, MHPSS as well as SRH services.<br>As DDD, our mission is to provide support to all people who are excluded from the health system, since at least half of the worlds population, particularly children, women and refugees, lack access to essential health services and medical care due to global injustice and misuse of resources.<br>We believe in inclusive social justice as a vehicle for equal access to healthcare, respect for fundamental rights and collective solidarity. We provide gender-sensitive services to ensure the inclusion of women and girls, as well as other marginalized groups. With our partners, communities, and their representatives, we work to empower all culturally, socially, and physically vulnerable populations to act within their social environment, to become actors in their own health and to exercise their rights. We seek balance between national and international action, between emergency and long-term actions.
+
+
+
+ https://staging.giveth.io/project/Eve-Branson-Foundation
+ Eve Branson Foundation
+ The Eve Branson Foundation is a small non-profit based in Morocco, spearheaded by Richard Bransons mum, Eve Branson. The mission of the Eve Branson Foundation (EBF) is to provide young people with artisanal skills-training and to preserve traditional Moroccan and Berber crafts, enriching the lives of local families from High Atlas Mountain communities. <br><br>Since 2005, our collaborative programmes have helped to sustain livelihoods in the region and we continue to work in close partnership with award-winning hotel Kasbah Tamadot. <br><br>To achieve better living standards, EBF works at a community level to develop initiatives in four key areas: artisanal training; environment, healthcare and education.<br><br>Eves vision was for a community where young people, women and men, have opportunities to earn a living and build a secure and healthy future.<br><br>Today, EBF provides training to more than 75 local young women and men across three craft centres, offering programmes in weaving, carpet-making, embroidery, tailoring and woodworking. Each centre encourages the production and selling of artisan goods so that the young people are able to generate a small income for themselves and their families. <br><br>Since the beginning, we have worked hand in hand with the team at Kasbah Tamadot, who employ 100% Moroccan staff, to enhance living standards in some of the most impoverished communities surrounding the property. We believe in working in partnership with each village to bring about transformations both economically and socially, and have learned through mutual respect and determination, how to successfully combine our entrepreneurial spirit with the Berber culture.
+
+
+
+ https://staging.giveth.io/project/A-Bag-for-Flo
+ A Bag for Flo
+
+
+
+
+ https://staging.giveth.io/project/Action-for-Children
+ Action for Children
+ Action for Childrens vision is of a world where all children and young people have a sense of belonging and are loved and valued. A world where they can break through injustice and deprivation and fulfil their potential. Our operational mission is to support and speak out for vulnerable children and their families. We challenge injustice and empower children to overcome the barriers that hold them back.<br><br>We believe in early intervention, supporting families as soon as problems come up.
+
+
+
+ https://staging.giveth.io/project/Hong-Kong-Pride-Parade
+ Hong Kong Pride Parade
+ The Hong Kong Pride Parade promotes equal rights for and anti-discrimination against the LGBT community. By showing the different faces of our community, it facilitates respect for diversity in the society. When it happens on the busiest streets in Hong Kong, it is the best public education. The Hong Kong Pride Parade is a non-profit making organization. It has created an open platform for LGBT groups and organizations to show themselves to the world and to advocate for diversity and inclusion.
+
+
+
+ https://staging.giveth.io/project/Brington-Primary-School
+ Brington Primary School
+
+
+
+
+ https://staging.giveth.io/project/Darjeeling-Childrens-Trust
+ Darjeeling Childrens Trust
+ Darjeeling Childrens Trust (DCT) helps children and young people by providing education, healthcare and vocational training. We improve living conditions so that children and young people can study more effectively and achieve their potential.
+
+
+
+ https://staging.giveth.io/project/Boughton-Primary-School
+ Boughton Primary School
+
+
+
+
+ https://staging.giveth.io/project/Bromley-Youth-Music-Trust-(BYMT)
+ Bromley Youth Music Trust (BYMT)
+ To advance education for the public benefit particularly (but not exclusively) in relation to music, the arts and performing arts;
+
+
+
+ https://staging.giveth.io/project/Camfed
+ Camfed
+ Girls programming
+
+
+
+ https://staging.giveth.io/project/Thirst-Relief
+ Thirst Relief
+ Our mission is simple: change lives with clean water. With over 780 million people in the world today without access to clean water, we continue to expand our efforts to end the world water crisis.
+
+
+
+ https://staging.giveth.io/project/Lend-a-Hand-Bahamas
+ Lend a Hand Bahamas
+ Lend A Hand Bahamas is a Bahamian nonprofit focused on bringing more activities and opportunities to socio-economically disadvantaged areas of the Bahamas through hands-on programming and enhanced collaboration with local and international partners.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-of-Western-Nevada
+ Community Foundation of Western Nevada
+ Our mission is to strengthen our community through philanthropy and leadership by connecting people who care with causes that matter.
+
+
+
+ https://staging.giveth.io/project/Fistula-Foundation
+ Fistula Foundation
+ Fistula Foundation is dedicated to treating women suffering from obstetric fistula, a devastating childbirth injury that leaves a woman incontinent. Surgery is the only cure.<br><br>At Fistula Foundation, we believe that no woman should endure a life of misery simply for trying to bring a child into the world. We provide more life-transforming fistula repair surgeries than any other organization in the world, and receive the highest ratings from every industry watchdog group.
+
+
+
+ https://staging.giveth.io/project/ANIMA-TEC
+ ANIMA TEC
+ ANIMA is a free educational institution that offers technical training for Upper Secondary School students. It has a private management system and it is aimed at young people who live in a situation of social vulnerability. The training covers two fields: Administration and Information and Communication Technologies (TIC) with an educational modality groundbreaking in Uruguay, inspired by the German Dual System, which combines education with work. <br><br>ANIMA arises in response to a global problem, but it certainly affects mostly underdeveloped countries with high poverty rates: school dropout in young people and the consequent lack of employment. Our main objectives are educational continuity and quality job placement for youth.<br><br>The proposal of on the job training programme of ANIMA seeks to build a bridge and encourage dialogue between education and companies. When was the last time companies approached educational institutions to discuss how their future employees are trained? And when was the last time that the educational institutions consulted with the companies that are needed or missing in the market?<br>In Uruguay, technical education seeks to bridge this gap, the proposal of ANIMA with its modality, add value as it benefits not only young people living in vulnerable situations but also companies that are part of the training process of their future employees, visualizing this as a human resources policy.<br>Such training modality is an educational model of great value since it enables the integration of the company in young peoples learning process, this builds a bond throughout the process that adds a didactical value to the work done in class; it is a resource of great demand both for students and teachers, which establishes a stronger commitment to their learning processes. <br>Thus, students complete their Upper secondary education, the last compulsory educational cycle in Uruguay, with two years of work experience in occupational areas. As a result, their quality of life can be considerably better, and they can have more and better opportunities of employability. <br>ANIMA is actually a big influence for public policies and achieve greater coverage due to we are a "benchmark" in our country and also in the region. We are invited to participate in talks, national and international events and workshops to narrate our experience. Also, the media has contacted us in several occasions as "leaders" of on the job training experience in our country.<br><br>The proposal of ANIMA has directly benefited 282 young people from a vulnerable context since 2016. In 2018, the first generation included 75 graduates. Currently, in 2020, we have 151 Upper secondary school students in 4th, 5th and 6th Form. Training practices in the different companies start in 5th Form; they consist of 12 hours per week on Tuesdays, Wednesdays and Thursdays from 2 pm to 6 pm. By 2020, we have create 175 training practices in more than 70 Training Companies. <br>This year the third generation will graduate from ANIMA. The strategic goal ANIMA has set for the next years is to consolidate its on on the job training experience (Dual Education System proposal), in order to prepare for a stage of growth, as well as the schemes expansion both in public and private spheres.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Oportunidad
+ Fundacion Oportunidad
+ At FOP we believe that these are times when the necessity of reflecting is imperious if we fully want to comprehend what today brings as new and to include the youngsters and the women, as part of an "us", so we can think of shared matters together. <br><br>Fundacion Oportunidad is non-governmental research-oriented organization aimed to get involved in the sphere of subjectivities. We focus on the new ways of subjectivation: How do young people think themselves? Which are the practices involved in this process? The main areas of intervention are youth and life project. We think of "work" in a broad sense, not only as the latest ways of employment but also as the most recent ways of management and collective production.<br>Within the activities we carried out, the main idea is to create local strategies of intervention. The different activities we undertake with young people revolve around the execution of an experience of collective production. We focus on the elucidation and the exertion on subjective positioning. We place our bet on broadening the living space.
+
+
+
+ https://staging.giveth.io/project/NPO-Mirai-no-Mori
+ NPO Mirai no Mori
+ NPO Mirai no Mori creates life-changing outdoor programs for abused, neglected, and orphaned children in Japan, supporting their growth into happy and successful young adults.
+
+
+
+ https://staging.giveth.io/project/Council-for-Economic-Education
+ Council for Economic Education
+ The Council for Economic Education’s (CEE’s) mission is to equip K-12 students with the tools and knowledge of personal finance and economics so that they can make better decisions for themselves, their families, and their communities.
+
+
+
+ https://staging.giveth.io/project/Ideas-Factory-Association
+ Ideas Factory Association
+ If we have to put our mission into generalized terms, they should be interconnectedness and community-building. We create the suitable conditions and occasions through our projects (such as Baba Residence, EMPATHEAST and Social Innovation Challenge) for different people with diverse know-how to meet and start implementing their changemaking skills and look for solutions together in their immediate environment. <br>We seek to engage and connect the most significant cultural and economical agents in order to reach positive social and cultural changes. To connect artists and anthropologists, bussineses and folklore traditions, local authority and people from the villages etc.<br><br>Since were devoted to highlighting the local cultural and entrepreneurial potential and resources of different Bulgarian regions/ cities/ villages, our main tendency is to work more and more on-field. In order to be fully able to extract and connect different sectors and cultural actors in a fruitful way, we need to know the problems / challenges from within and with the people who are affected by them and can trigger any possible future change. <br>So to say, one of the main routes of our mission is to nourish slow-movement conscious change within the communities were part of through both observation and participation. And sometimes this can be achieved through very simple initiatives such as organizing a sedyanka (a traditional Bulgarian work gathering in the villages; working-bee) with young people in the villages or just giving the old ladies a reason and stimulus from a village to start using their looms again and share their knowledge with a young designer.
+
+
+
+ https://staging.giveth.io/project/Amigos-of-Costa-Rica-Inc
+ Amigos of Costa Rica, Inc
+ Connect Global Resources to Costa Rican Organizations
+
+
+
+ https://staging.giveth.io/project/The-Be-Foundation
+ The Be Foundation
+ The Be Foundation (TBF) is a globally-connected, community-based organisation centred on Barbuda. TBF works to restore and empower the community, strengthen services to meet the needs of Barbudans, build networks of opportunity, and transform lives.
+
+
+
+ https://staging.giveth.io/project/Girlsincorporated-Of-Northern-Alberta-Society
+ Girlsincorporated Of Northern Alberta Society
+
+
+
+
+ https://staging.giveth.io/project/Associacao-Joao-de-Deus
+ Associacao Joao de Deus
+ Contribute to peace in the Alagados favela, accelerating growth projects, led by inhabitants of the neighborhood, associated with a professional team.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Impulso
+ Fundacion Impulso
+ Creation and promotion of a culture of integration and economic and social inclusion of young people and adults with disabilities, who live in the Arica and Parinacota Region, with the ultimate aim of contributing to growth and social development by maximizing their capacities, supporting their social and labor integration, improving their quality of life and that of their families, as well as the common welfare and social interest.
+
+
+
+ https://staging.giveth.io/project/Associacao-InternetLab-de-Pesquisa-em-Direito-e-Tecnologia
+ Associacao InternetLab de Pesquisa em Direito e Tecnologia
+ 1357 / 5000<br>Resultados de traducao<br>InternetLab is an internet and rights research center founded in 2014, in Sao Paulo. As a human rights organization, we believe that the digital medium must be vibrant, creative, inclusive and protective of fundamental rights, of the quality of the democratic public sphere and of social justice - which implies that the decisions of state and private agents are always under critical analysis. We understand that this critical analysis needs to align technical expertise, risk analysis to rights based on evidence and involvement with different stakeholders, being radically grounded in the local context - in this case, the context of Brazil, with special concern in relation to social markers such as gender, social class and race in the country. Based on this impulse, we seek to develop sophisticated social and legal research and analysis, based on evidence and oriented towards impact, in order to identify and act on strategic issues involving technology, defense of rights and the promotion of democracy and equality.<br>We seek that decisions by state and private agents that involve the digital environment will be made based on arguments sensitive to the protection of human rights and democracy, to the promotion of social justice and to the local context, especially regarding social markers of difference.
+
+
+
+ https://staging.giveth.io/project/Food-Angel-By-Bo-Charity-Foundation
+ Food Angel By Bo Charity Foundation
+ Food Angel is a food rescue and food assistance program launched in 2011 by Bo Charity Foundation with the mission of "WASTE NOT, HUNGER NOT, WITH LOVE." The program rescues edible surplus food from different sectors of the food industry that would otherwise be disposed of as waste. Following strict safety protocols, the rescued food items will then be prepared as nutritious hot meals in our central kitchen and be redistributed to serve the underprivileged communities in Hong Kong.
+
+
+
+ https://staging.giveth.io/project/World-Help-Inc
+ World Help Inc
+ World Help is a Christian humanitarian organization serving the physical and spiritual needs of people in impoverished communities around the world.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Vivatma
+ Fundacion Vivatma
+ Protection and Welfare of all animals and their environment. Spay and neuter programes. Education, awareness. Love to the forgotten, comfort to the sick and care for the blind, deaf and dying. Changing lives.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Tiempo-de-Juego
+ Fundacion Tiempo de Juego
+ Tiempo de Juego is a non-profit entity that seeks to foster the adequate use of free time among children and youth in the most vulnerable areas of Colombia. The foundation seeks to distance children from the social ills that surround them and educate them through strategies such as sports and cultural activities. Tiempo de Juegos mission is to spawn social cohesion and development through sports, cultural, recreational, and formative tools whose purpose is the generation of competencies, promotion of values, and the effective use of free time in a responsible and conscientious manner, generating a positive and replicable impact towards a better quality of life for the community and its surroundings. <br><br>Tiempo de Juego was established in 2006, as a project for the "Communication for Development" program through the "Universidad de la Sabana". After an exhaustive study for more than three years in Cazuca, one of the most marginalized, deprived and violent areas of our country, it was detected that the lack of education and excess of time of the youth, and the fact about 70 percent of the population is classified displaced, was making them more vulnerable to joining different gangs, drug addiction, incurring early pregnancies, as well as being part of the armed outlaw groups that recruit them for very little money. <br>Using soccer as a recreational tool for value formation, accompanied by art workshops, cultural and educational courses, we gathered 400 children between 5 and 18, and the foundation began to inculcate the proper use of leisure time as a positive and useful way to encourage the kids into a brighter and more positive future.<br><br>Ever since Tiempo de Juego began to operate, the children and young people have changed as has the neighborhood environment. When they celebrate goals or they read a book, this does not seem the most depressing sector of Cundinamarca area, which according to official statistics, over the past 5 years, has had more than 850 murders of young people; this is the area with the highest rate of displacement population second to Choco. A zone where poverty and malnutrition, joining the gangs to participate in the conflict is just a daily experience, where those who are growing only aspire to be part of an armed group that inhabit the area.<br><br>Tiempo de Juego uses soccer as its main intervention tool to address social problems due to its capacity to convene people and its pedagogical possibilities. The foundation belongs to the football street world network, associated to the FIFA, and applies the FIFA approved rules of street football as the mechanism for the formation of values, formal education as a basis of democracy and the cultural workshops looking to build a fairer society. Also, we work out the values with the parents to achieve a proper family environment. <br><br>Since 2008, Tiempo de Juego has opened another chapter in Cartagena, Atlantic Cost City, making possible those children and youth of "Las Faldas de la Popa" also to receive these benefits and rights.
+
+
+
+ https://staging.giveth.io/project/Khule-Charity-Foundation
+ Khule Charity Foundation
+ To restore hope among orphaned children, vulnerable youth/girls and communities through education, scholastic material support, life skills training, health care, feeding and self sustaining skills.
+
+
+
+ https://staging.giveth.io/project/FOUNDATION-DONES-DE-MISERICORDIA
+ FOUNDATION DONES DE MISERICORDIA
+ If I change, everything changes"<br><br>The Dones de Misericordia Foundation is a non-profit organization, funded in 2005; with goals that will lead us to protect our children and adolescents in high-risk street life, working for the restoration and entrepreneurship of families in extreme poverty and we guarantee older adults in a condition of abandonment with a dignified life.<br><br>Our mission is to develop an environment for human growth through the implementation of a sustainable social model, which aims to transform the being, generate peace and reconciliation in populations of extreme vulnerability in Cartagena and Bolivar, Colombia.<br><br>This transformation takes place in 6 areas of human development: <br>1. Health<br>2. Educational Innovation.<br>3. Environmental Sustainability, <br>4. Culture and Sports,<br>5. Values Education, <br>6. Entrepreneurship and Social Leadership.<br><br>In 2023, the Dones de Misericordia Foundation will be an organization with a replicable intervention model, registered and recognized at national and international level that contributes to Integral Human Development and Peace-Building.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Rururbana-Mujeres-de-Frente
+ Fundacion Rururbana - Mujeres de Frente
+ Fundacion RurUrbana - Mujeres de Frente is a feminist collective based Quito-Ecuador. Since 2004 the collective has created a community of women that comes together in cooperation and care. There, women from different socio-economic backgrounds, who join on the premise that together we care for each-other. Through different collective ventures, the organization aims to find better economic possibilities for women, their children and the families they support.
+
+
+
+ https://staging.giveth.io/project/Friends-of-St-Brigids-Hospice-Homecare-Services
+ Friends of St Brigids Hospice Homecare Services
+ The Friends of St. Brigids Hospice and Homecare Services is a voluntary organisation with charitable status and is a limited company. Our principal objective is to benefit the community of Co. Kildare and West Wicklow, by assisting, promoting and supporting the aspirations and needs of St. Brigids Hospice. This is achieved through financial assistance towards Hospice, Specialist Palliative care and Homecare for patients with incurable life threatening illness and their families.
+
+
+
+ https://staging.giveth.io/project/Fondation-de-France
+ Fondation de France
+ Focused in supporting a modern, effective and global philanthropy.
+
+
+
+ https://staging.giveth.io/project/World-Relief
+ World Relief
+ Empower the local church to serve the most vulnerable.
+
+
+
+ https://staging.giveth.io/project/Erzbischoefliches-Kinder-und-Jugendheim-St-Kilian
+ Erzbischoefliches Kinder- und Jugendheim St Kilian
+
+
+
+
+ https://staging.giveth.io/project/Insurance-Foundation-for-Servicemen
+ Insurance Foundation for Servicemen
+ Support disabled veterans and families of servicemen, who died serving their country. For the promise of peace, servicemen often make the ultimate sacrifice, leaving behind a family - parents, siblings, a wife and children. In addition to grieving and coping with the loss of a loved one, these families most often have to think of new living arrangements to forego rent, find additional employment to replace the main breadwinner and find ways to support the children and their eduction.<br>Disabled veterans are particularly vulnerable. Often, they are unable to concentrate on physical rehabilitation, mental improvement and adjusting to a new way of living, because they are acutely aware of the financial strain their inability to work put on their families. <br>The Insurance Foundation for Servicemen changes this dynamic, by providing financial assistance in the form of regular monthly installments for a period of 20 years.<br>This financial assistance is approximately in the amount of the average salary in Armenia and allows children to stay in school, mothers to spend time with their children, and disabled soldiers to concentrate on recuperation. <br>The Foundation also recognizes the importance of education and increases compensations if the family includes a child studying at university.
+
+
+
+ https://staging.giveth.io/project/David-Shepherd-Wildlife-Foundation
+ David Shepherd Wildlife Foundation
+ To raise vital funds supporting front line conservation projects which help secure a future for wildlife in their natural habitat.<br><br>We fight environmental and wildlife crime through ranger programmes and law enforcement.<br>We engage with communities to educate and raise awareness to reduce threats to wildlife.<br>We campaign for stronger wildlife laws and to reduce consumer demand for wildlife products.<br>Through dedication and hard work we have influenced policy, shifted attitudes and provided an unwavering voice for wildlife conservation from grass roots to the world stage for over 30 years. We work hard to maximise the impact of every donation we receive and to date have invested over £9.5m in wildlife conservation projects.
+
+
+
+ https://staging.giveth.io/project/Polaris
+ Polaris
+ Polaris leads a data-driven social justice movement to fight sex and labor trafficking at the massive scale of the problem – 25 million people worldwide deprived of the freedom to choose how they live and work. For 14 years, Polaris has assisted thousands of victims and survivors through the U.S. National Human Trafficking Hotline, helped ensure countless traffickers were held accountable, and built the largest known U.S. data set on actual trafficking experiences. With the guidance of survivors, we use that data to improve the way trafficking is identified, how victims and survivors are assisted, and how communities, businesses and governments can prevent human trafficking by transforming the underlying inequities and oppressions that make it possible.
+
+
+
+ https://staging.giveth.io/project/For-Change
+ For Change
+ Our mission is to give a hand to every child in need we meet, to show love, support, and protection. To bring change in the lives of people and the community for a better and worthy life!
+
+
+
+ https://staging.giveth.io/project/Josefsverein-eV
+ Josefsverein eV
+
+
+
+
+ https://staging.giveth.io/project/Girl-Concern-Org
+ Girl Concern Org
+ Girl Concern org mission is building the next generation of adolescent girls and young women leaders to end gender based violence among the Somali pastoralist community.
+
+
+
+ https://staging.giveth.io/project/New-Guinea-Binatang-Research-Centre
+ New Guinea Binatang Research Centre
+ The New Guinea Binatang Research Center (BRC) is an independent non-profit organization registered in PNG and devoted to (i) training Papua New Guineans in biological research as paraecologists, undergraduate and postgraduate students and junior scientists, (ii) biological research focusing on the ecology of rainforests and distribution of biodiversity in PNG, and (iii) grassroots conservation and environmental education. <br><br>BRC is striving to provide sophisticated learning and research environment, fostering academic excellence in biodiversity research by combining creative skills and knowledge of gifted young people, often from rural and forest dwelling communities, with local and overseas students and researchers. Crucially we wish to develop this on the basis of freedom of access and equality between all stakeholders, genders, and ethnicities.<br><br>BRC is one of the three leading institutions in paraecologist training worldwide, as well as one of the most active PNG institutions in postgraduate training and research in biology. It has a lively program of visiting students and researchers from overseas, and internationally widely recognized research on the ecology rainforests. BRC has an outreach program in environmental education for village schools and communities. BRC is also engaged in practical conservation, exploring innovative strategies of indigenous conservation, protecting the Wanang Conservation Area in collaboration with its landowners, and setting up a new Conservation Area at Mt. Wilhelm, the countrys prominent biodiversity hotspot.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Ninos-de-Guatemala
+ Friends of Ninos de Guatemala
+ To educate children, youth and families from marginalized areas, <br>beyond the traditional classroom.<br><br>Our vision: Empowered communities with better opportunities in life through holistic education.
+
+
+
+ https://staging.giveth.io/project/Associacao-Pluralis-Em-Defesa-Da-Diversidade-E-Respeito-Humano
+ Associacao Pluralis Em Defesa Da Diversidade E Respeito Humano
+ Insertion of vulnerable people into society. The Pluralis Association is an institution that fights for a society with more respect, equality and social inclusion. The organization is not aimed at profit, but rather to exercise altruism and to make public policy laws specifically aimed at the rights and duties of LGBTQI+, women and people with intellectual or multiple disabilities, are in fact contemplated with regard to them.
+
+
+
+ https://staging.giveth.io/project/Karitaszt-Tamogato-Alapitvany
+ Karitaszt Tamogato Alapitvany
+ Caritas Hungary, as a national organization of the Hungarian Catholic Church with independent legal personality, established the Hungarian Caritas - Caritas Hungarica Foundation in 1991, which was renamed the Caritas Support Foundation in 2003.<br><br>The aim of the Foundation is to provide financial assistance to this organization in order to carry out its social-charitable (nursing, caring for the poor, and other charitable) tasks.<br>by providing effective support to those in need, providing free services and making donations. The foundation<br>considers Christs commandment of love to be an important goal.<br>To help the fallen, the poor, the disadvantaged, the homeless and refugees, both in Hungary and abroad.<br>The Foundation collects donations and thus exclusively supports the activities of the Catholic Caritas. The services of the Foundation can be used through the Catholic Caritas. Caritas Support Foundation helps people in need by providing various help programs and actions regardless of age, gender or denomination. <br><br>Our work is governed by the principles and standards developed and adopted by the major international aid organisations. The most important thing is that the personal love of the volunteer and professional staff working in the charity foundation reach the people we support.
+
+
+
+ https://staging.giveth.io/project/I-Wish-STEM-company
+ I Wish STEM company
+ I Wish is a volunteer led global initiative to inspire young females (aged 14-17) to explore a career in STEM. I Wish has<br>evolved since its inception in 2015 from being a once a year Showcase to an all year-round showcase of opportunities in<br>STEM. I Wish is now multi-faceted. It comprises of Showcase Events both in person and streamed virtually in addition to providing a STEM information resource for students and teachers campus weeks with 5 Higher<br>Education Institutes, an alumni circle building stem bridges from primary to secondary and on to Higher Education and<br>through our Survey a policy driver for government and stakeholders in STEM.<br>The Showcase Events comprise:<br>1. a Conference Zone where the students hear from women and men forging careers in STEM, from groundbreaking<br>researchers to entrepreneurs, data scientists and engineers; and<br>2. an interactive Exhibition Zone where the students can engage with STEM industries and higher education from leaders in their field like Dell, Trinity, ARUP, Aer Lingus, DIT to entrepreneurs and creatives working in STEM;<br>3. a Teach IT Zone designed as a resource for teachers;<br>4. a Create IT Zone demonstrating the creative side of STEM;<br>5. a Build IT Zone promoting female entrepreneurs in STEM.<br>Since 2015 the I Wish Showcase Events have turned the heads of over 50,000 girls towards STEM and empowered them to become the next generation of thought leaders, innovators and game changers in our ever changing world.
+
+
+
+ https://staging.giveth.io/project/Husky-Rescue-Ireland
+ Husky Rescue Ireland
+ Husky Rescue Ireland (HRI) was set up to alleviate the suffering caused to huskies by irresponsible ownership, abuse and neglect in Ireland. Due to the increase in akitas needing homes recently and lack of rescue space, we also dedicate our time rehoming them. HRI also aims to reduce the social impact of abandoned and un-neutered huskies and akitas in communities around Ireland. Some of the key objectives of HRI are to rescue, rehabilitate and rehome healthy neutered dogs responsibly and to educate and provide support to the general public on responsible dog ownership and dog welfare. HRI aim to achieve the this through forging strong relationships with pounds and rescues throughout Ireland. HRI will also provide each dog with high quality healthcare, training and ensure their basic needs are met. There are several beneficiaries to the work that HRI do, these include: the dogs themselves, state funded pounds throughout Ireland, new and potential owners through on going support and the general public through support and information provision. While HRI is currently located in Co. Laois we rescue huskies the length and breadth of Ireland from pounds, as strays and owner surrenders<br><br>Husky Rescue Ireland aims to:<br><br>Represent and support the work of members of HRI who act on a voluntary basis to care and re-home unwanted, abandoned, stray and ill- treated huskies and akitas in Ireland.<br>Provide care for all dogs in our protection to include: neutering, vaccinations, microchipping, grooming, exercise and food.<br>Promote a responsible attitude by members of the public towards the ownership and welfare of huskies and akitas.<br>Raise awareness amongst the pet-owning community of the benefits of microchipping their pets for identification purposes and the importance of updating these details.<br>Advocate changes in the law in pursuance of the associations purpose.<br>Rehome abused, neglected or abandoned huskies and akitas in Ireland into safe, loving homes, in Ireland and abroad.<br>Rehabilitate traumatized dogs and provide safe loving foster environments in which they can continue to develop and progress with a future view to permanent adoption.<br>Maintain campaigns via the media, internet, information leaflets, advertisements etc. to promote HRIs purpose.<br>Educate adults and children on the work of HRI, animal welfare in Ireland and what it means to be a responsible pet owner.<br>Support owners to keep a family pet, rather than surrender, through giving them advice, assessing their dog and/or referring them to other organisations/people such as dog trainers.<br>Promote the work of and assist voluntary sector animal rescue groups and individuals in their campaigns and rehoming intention.
+
+
+
+ https://staging.giveth.io/project/Mensajeros-de-la-Paz-Argentina
+ Mensajeros de la Paz Argentina
+ Our mission is to achieve social integration of the most disadvantaged individuals and help them regaining their rights, namely children and elderly people.<br>Mensajeros de la Paz was founded in 1962 in Spain and reached Argentina in 2002 after a serious economic crisis that has had lasting influence on the people throughout the country.
+
+
+
+ https://staging.giveth.io/project/Horas-da-Vida-Institute
+ Horas da Vida Institute
+ To facilitate and engage a volunteer network that acts in a humanized way, promoting social inclusion through access to health.
+
+
+
+ https://staging.giveth.io/project/The-Podium-Society-Inc
+ The Podium Society, Inc
+ The Podium Society is a 501(c)(3) non-profit organization dedicated to helping mindful philanthropists, brands and studios fund social impact sports media in order to educate, inspire, and create change.
+
+
+
+ https://staging.giveth.io/project/Asset-Based-Community-Development-with-Equity-Foundation
+ Asset-Based Community Development with Equity Foundation
+ Asset-Based Community Development with Equity Foundation (ABCDE Foundation) believes In "empowering local communities" so that they are able to contribute fully to the life of the community and live dignified lives." The ABCDE Foundations work is focused specifically on the poorest of the poor as the main object and subject of development. We assist the marginalized poor such as farmers, fishermen, rural workers and out-of-school-youth to attain better quality of life through relevant programs and projects. We help provide training and research on the sustainable management and conservation of the environment and natural resources for and by LGUs, peoples organizations, other NGOs and national government agencies. We showcase and demonstrate best management practices on local social mobilization, low external input agriculture and the promotion of resource-based livelihoods. We link with donors and partners in order to effectively run its programs and projects.
+
+
+
+ https://staging.giveth.io/project/fondazione-Le-Vele-ONLUS
+ fondazione Le Vele ONLUS
+
+
+
+
+ https://staging.giveth.io/project/Japan-NPO-Center
+ Japan NPO Center
+ As a national infrastructure organization for the nonprofit sector, the Japan NPO Center works to strengthen the social, political and economic support base for voluntary nonprofit organizations in Japan, and builds new and innovative forms of partnership with the government and the private sector, encouraging them to act as co-creators of robust civil society.
+
+
+
+ https://staging.giveth.io/project/OUR-PREMATURE-CHILDREN-FOUNDATION
+ OUR PREMATURE CHILDREN FOUNDATION
+ Raising awareness about preterm birth and possible complication.<br>Partnering with government in terms of improving the situation of mothers and newborn babies in Bulgaria as well as initiating constructive dialog with political leaders.<br>Establishing a network of experts, international and private sector organizations, officials, celebrities, medias, business partners and parents united by the idea of ensuring best start in life for all premature and sick babies.<br>Providing easy-to-understand information and make sure that all families have access to it so that we help them better understand the situation that they are dealing with.<br>Facilitating medical and psychological support for affected families.<br>Face to face or online consultation with psychologists. Direct support from psychologist in the NICUs<br>Charity events and fund-raise donations so that we can ensure best medical equipment for NICUs in Bulgaria<br>Organize conferences, workshops, lectures and other events that gather professionals, experts, NGO representatives, parent organisations, government representatives and other stakeholders work together for constantly improving the care for premature babies.
+
+
+
+ https://staging.giveth.io/project/Japan-Tiger-and-Elephant-Fund
+ Japan Tiger and Elephant Fund
+ Established 20 June 2009, JTEFs mission is to conduct awareness programs and fundraising efforts in Japan for conservation of wildlife and their habitats. The funding is maintained separately in three conservation funds: Tiger, Elephant and Iriomote cat. For the Tiger and Elephant funds, the money collected in Japan, goes to programs conducted by our partner on the ground in India, Wildlife Trust India. At the same time, JTEF is conducting vital work in Japan on Iriomote Island to reduce the threats to Iriomote cats by conducting awareness programs and working with the community for night patrols and generating legislative policy to protect the natural resources.<br>JTEF is the only NGO that is working for conservation of the critically endangered Iriomote cat (Prionailurus bengalensis iriomotensis) endemic only on the small Japanese Okinawan Island of Iriomote.<br> <br>Based on our founding philosophy, we will implement three pillars of wildlife conservation activities (preservation of habitats, education / awareness & policy recommendations).<br>With a vision of a society where people and wild creatures can coexist, we uphold these three pillars of wildlife conservation activities for the Iriomote Cat, Elephants and Tigers. 1. Conservation activities in habitats where wildlife is being threatened by human beings. 2. Conduct Education/awareness programs to alert people to wildlife issues & take actions that support coexistence of people & wild creatures, no matter the distance from the actual habitat. 3. Promote policy proposals on conservation of wildlife to make the coexistence of people and wild creatures a key public policy in order to minimize damage done to nature.
+
+
+
+ https://staging.giveth.io/project/Eyes-on-Four-Paws-Foundation
+ Eyes on Four Paws Foundation
+ The Foundation aims to create conditions for the equal treatment of people with sensory, motor and other permanent disabilities in Bulgaria through:<br>- gathering and disseminating information<br>- Accumulation of financial means to support:<br>- building training centers for guide dogs, service dogs, assistant dogs, and other help-dogs for people with disabilities<br>- Payment of guide dogs, assistants and other help dogs to people with disabilities<br>- Adaptation of people with disabilities to this new partnership.
+
+
+
+ https://staging.giveth.io/project/Botshabelo
+ Botshabelo
+ Botshabelo is a 16-year-old NPO (est. 2000) passionate about transforming lives through excellent residential care and education in our three programmes: Babies Home, Preschool, and Teacher Training Programme. <br>1) Our Babies Home gives orphaned and abandoned babies a solid start to life by providing a healthy, safe, and stable environment in which they can grow and meet their milestones. We see up to 12 babies placed in Forever Familes through adoption each year.<br>2) Our Urban Kids Educentre (preschool) offers quality education at affordable fees (sponsorships available). Each year we educate up to 120 children from disadvantaged and emerging families with well-trained teachers, beautiful resources/spaces, well-designed curriculum, and appropriate class sizes.<br>3) Our UpliftED Training Programme (UpliftED) works with existing community forums and creches, empowering teachers and principals with skills and knowledge to lead their preschools well, providing educational resources for the classrooms, monitoring and evaluating their progress, and upgrading the schools facilities through renovations. From places of despair and frustration, we uplift women into careers with honour and future opportunity.
+
+
+
+ https://staging.giveth.io/project/GARDEN-OF-HOPE-FOUNDATION
+ GARDEN OF HOPE FOUNDATION
+ Garden of Hope Foundation mission is to build sustainable communities through developing leaders among the youth in rural communities and urban slums.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Kemanusiaan-Ibu-Pertiwi
+ Yayasan Kemanusiaan Ibu Pertiwi
+ YKIP is a foundation committed to improving the lives of marginalized communities in Bali by breaking the cycle of poverty through educational support and services. The targets of marginalized communities are: (1) children from economically disadvantaged families; (2) social groups who suffer from disaster; (3) orphans; and (3) physically disabled.
+
+
+
+ https://staging.giveth.io/project/Free-a-Girl
+ Free a Girl
+ Free a Girl fights the sexual exploitation of children.
+
+
+
+ https://staging.giveth.io/project/Humanitarian-Resources-International-Foundation-(stichting-Humanitaire-Hulpgoederen)
+ Humanitarian Resources International Foundation (stichting Humanitaire Hulpgoederen)
+ To collect supplies from donors and distribute to people who live in disaster areas or in poverty.
+
+
+
+ https://staging.giveth.io/project/Cumberland-Council-(Active-Cumbria)
+ Cumberland Council (Active Cumbria)
+ Active Cumbria, The Sport & Physical Activity Partnership (hereafter referred to as Active Cumbria) is one of 49 County Sports Partnerships, covering every area of England. A county sports partnership is a network of key agencies committed to working together to increase participation in sport and physical activity. Partners include national governing bodies of sport and their clubs, local authorities, sport and leisure facilities, public health, education, and many other non-sporting organisations. Although county sports partnerships are funded through Sport England to deliver a range of specific services and programmes, Active Cumbria proactively engage with a much wider range of partners on a variety of services to benefit the people and communities of Cumbria. Active Cumbria is supported in achieving its aims by a Partnership Steering Group and by a core team of professional staff who provide leadership, co-ordination and structures which allow people and organisations to work more effectively together at a sub-regional level. The Partnership and its core team are hosted within the Adult and Local Services Directorate of Cumbria County Council. Active Cumbria believe that the partnerships priorities and cross cutting work areas have a vital contribution to make in achieving Cumbria County Councils and Adult and Local Services key priorities and aspirations. The Councils emphasis on supporting and improving the life chances of the most vulnerable and disadvantaged members of our community are reflected in our priorities and future work areas. These priorities contribute to achieving the outcomes identified in Active Cumbrias recently launched Strategy for Sport & Physical Activity covering the period 2013-17. As articulated in its recently launched Strategy, Active Cumbria has a clear purpose, which is to work with all partners to achieve healthy and active communities in Cumbria through sport and physical activity. It is only through working together that the Partnerships vision of everyone in Cumbria has more opportunities to participate in sport and enjoy physical activity as an integral part of everyday life will be achieved. By continuing to work with key partners in an open, proactive, honest, and mutually beneficial way, Active Cumbria will ensure that its vision and purpose have the best opportunity to be achieved.
+
+
+
+ https://staging.giveth.io/project/Yo-Quiero-Yo-Puedo
+ Yo Quiero Yo Puedo
+ To create and implement programs which contribute to sustainable human development in order to allow individuals to take control of their own health, productivity, and lives.
+
+
+
+ https://staging.giveth.io/project/Reach-Out-and-Read-Colorado
+ Reach Out and Read Colorado
+ Reach Out and Read Colorado is an evidence-based nonprofit that gives young children a foundation for success by incorporating books into pediatric care and encouraging families to read aloud together.<br><br>Reach Out and Read Colorado partners with healthcare providers to prescribe a developmentally- and language-appropriate book and talk with parents and caregivers about the importance of reading aloud at well-child visits from birth to 5 years of age, with a special focus on children growing up in poverty. By building on the unique, trusted relationship between parents and healthcare providers, Reach Out and Read Colorado helps families and communities encourage early literacy skills so children can begin school prepared for success. Children served by Reach Out and Read enter kindergarten with larger vocabularies, stronger language skills, healthier relationships, and a three- to six-month developmental edge.
+
+
+
+ https://staging.giveth.io/project/Lyrical-Opposition
+ Lyrical Opposition
+ Lyrical Opposition (LO) is for the misfits. The voices mainstream society marginalizes, LO seeks to highlight. Primarily, it is an arts organization comprised of poets, musicians, and activists whose mission is social change. Through its artists and strategic partnerships, LO advances social justice and systemic change efforts by cultivating messages of hope that inspire and empower. Secondly, LO seeks to serve the community by bringing individuals into spaces with people they would not typically cross paths with to reduce biases and restore communities.
+
+
+
+ https://staging.giveth.io/project/For-Vietnamese-Stature-Foundation
+ For Vietnamese Stature Foundation
+ For Vietnamese Stature Foundation is a charitable, non-profit, social foundation to improve the physical strength and intellect of Vietnamese children, for a mighty Vietnam
+
+
+
+ https://staging.giveth.io/project/Rural-Watch-Africa-Initiative-(RUWAI)
+ Rural Watch Africa Initiative (RUWAI)
+ To combat climate change and poverty head-on by teaching marginalized people living in rural areas to enhance their resilience, incomes, and overall standard of living through agriculture and new business ventures.
+
+
+
+ https://staging.giveth.io/project/WomensTrust-Inc
+ WomensTrust, Inc
+ Empower women and girls in Ghana through education, healthcare and economic development.
+
+
+
+ https://staging.giveth.io/project/Oluwatoyin-Arike-Care-Foundation
+ Oluwatoyin Arike Care Foundation
+
+
+
+
+ https://staging.giveth.io/project/Oxfam-GB
+ Oxfam GB
+ Oxfam is a global movement of people who share the belief that, in a world rich in resources, poverty isnt inevitable. Its an injustice which can, and must, be overcome. Were dedicated to building a just and safer world focusing on peoples rights. Were passionate about ending poverty and helping to rebuild the lives affected by it. Its an enormous undertaking but we also have people on our side - talented and committed partners, volunteers, supporters and staff who share the same values. We aim to save lives by responding quickly with aid and protection during emergencies, empower people to work their own way out of poverty and campaign for lasting change. We have been saving and changing lives for seventy years now and know that tackling poverty is only possible when we are helping people to secure their fundamental human rights - the right to life and security, the right to a sustainable livelihood, the right to essential services, the right to be heard and the right to equity (in particular, the rights of women). We work at all levels - global and local, with international governments and global institutions, local communities and individuals - to make sure that these rights are protected and that the best solutions to peoples suffering are implemented. Our values as an organisation are founded upon our experiences. We know that poverty can only be overcome once the fundamental human rights of impoverished others are secured and our three main values as an organisation - empowerment, accountability, inclusiveness - reflect this. Empowerment - our approach means that everyone involved with Oxfam, from our staff and supporters to people living in poverty, should feel they can make change happen. Accountability - our purpose driven, results-focused approach means we take responsibility for our actions and hold ourselves accountable; we believe that others should also be held accountable for their actions. Inclusiveness - we are open to everyone and embrace diversity; we believe everyone has a contribution to make, regardless of visible and invisible differences.
+
+
+
+ https://staging.giveth.io/project/Lagos-Food-Bank-Initiative
+ Lagos Food Bank Initiative
+
+
+
+
+ https://staging.giveth.io/project/Community-for-Democratic-Education
+ Community for Democratic Education
+ The main mission of the organization is to establish the first Democratic school in Bulgaria and to promote the democratic model and practices in education.<br>Community for Democratic Education works for the creation, implementation and development of school models where the core values are respect for the rights of the individual and the free choice of children and young people in harmony with the principles of democratic education. <br>The organization puts effort in building a community of children, parents, teachers and citizens involved in the idea of free education.<br>Part of our mission is to research and promote good practices and practical guidance in the field of free and democratic education and youth development.
+
+
+
+ https://staging.giveth.io/project/Kanan-Kab-Proteccion-del-Mundo-AC
+ Kanan Kab Proteccion del Mundo AC
+ Contribute to improve the life quality of the actual and future generations in the city of Merida and its metropolitan area,reforesting the city and promoting an environmental awareness through the education and the design and implementation of urban reforestation integral projects
+
+
+
+ https://staging.giveth.io/project/Climate-Vault-Inc
+ Climate Vault Inc
+ TO LOWER THE CONCENTRATION OF GREENHOUSE GASES IN THE ATMOSPHERE TO SLOW, AND EVEN REVERSE, THE EFFECTS OF CLIMATE CHANGE.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-Agrarian-Reform-Cooperatives-Inc
+ Foundation for Agrarian Reform Cooperatives, Inc
+ VISION - Sustainable communities of happy farmers. It commits to deliver reliable and highly effective organic agroindustrial technology and allied services to stakeholders. ItsCORE VALUES are: Honesty and Integrity, Social and Economic Justice, Competence and Professionalism, Teamwork and Participatory Process, Quality Products and Services, Cooperative Ideology and Practices, and Gender Equality.
+
+
+
+ https://staging.giveth.io/project/Cushing-Academy
+ Cushing Academy
+ Cushing Academy exists for students and develops curious, creative, and confident learners and leaders.
+
+
+
+ https://staging.giveth.io/project/Fr-Als-Children-Foundation-Inc
+ Fr Als Children Foundation Inc
+
+
+
+
+ https://staging.giveth.io/project/Asociacion-Grupo-de-Trabajo-Redes-(AGTR)
+ Asociacion Grupo de Trabajo Redes (AGTR)
+ To spread and defend the rights of excluded people who face discrimination due to poverty, age, gender, color, language or culture. Our methods include implementing politically effective actions, services and other necessary means. Our work stands for gender equality and that the marginalized people themselves recognize their rights and strive to realize them through strategies which express their empowerment and that develop through their active participation.
+
+
+
+ https://staging.giveth.io/project/Federacja-Polskich-Bankow-Zywnosci
+ Federacja Polskich Bankow Zywnosci
+ The Federation of Polish Food Banks is a public benefit organization whose mission since its establishment 20 years ago has been to prevent food waste and malnutrition in Poland. 31 Food Banks, which operate throughout the country form the Federation of Polish Food Banks. They are all NGOs with the status of an Association. Together, they form an Association with status of public benefit organization. The Federation is a community voluntarily created by various, autonomous Food Banks. Their common values and activities are supported and represented by a democratically elected Board. Food Banks associated in the Federation specialize in obtaining, transporting and distributing food products. Thanks to their large-scale daily operations, they obtain 50,000 tons of food annually, which is then distributed among over 1,600,000 most needy people through 3,500 aid organizations and social institutions. The food is obtained, among others, from producers, farmers, retail chains and as part of food collection campaigns. The organization also actively works to prevent food waste and promote healthy eating through educational activities addressed to various social groups, including social campaigns and workshops. Food wastage has many aspects. It can be considered as a social, ecological and economic problem. From a social perspective, a basic question is that many people do not have access to good quality food that would satisfy their health-related needs. Paradoxically, many people cannot afford to buy food while at the same time tons of whole food are discarded. However, food wastage has above all an adverse effect on the environment. Food production, processing and delivery to shops and homes of consumers entails water, energy and fuel consumption. Discarded food means wasted hectoliters of water and wasted energy used for its production, transport, storage and preparation. Food is wasted at every single stage of its production and distribution with consumers being responsible for over 50% of food wastage. Minimizing the scale of food waste requires actions to be taken to alert people about reasons and consequences of throwing food away.<br>Apart of main activity concentrated on collection and distribution of food, educational projects, research project and initiatives aimed at creation of national law supporting reducing of wasted food belong to our strategic goals. The above additional but also crucial goals are described in document presenting information about three main categories of our activity.<br><br>Federation of Polish Food Banks realizes its mission through:<br><br> - Searching for sources of surplus of food,<br> - Acquiring food, including products with a short shelf life,<br> - so-called non - commercial products, incorrectly packaged, whose nutritional value is beyond doubt<br> - Storage of received products and their rational distribution to organizations, not individuals<br> - Promoting attitudes that counteract the utilization of food or food waste<br>- Large-scale initiatives having impact on modifications of national law aimed at reduction of food waste (National Act against waste of food, which came into force on 1th March 2020)
+
+
+
+ https://staging.giveth.io/project/Fundacja-Tech-To-The-Rescue
+ Fundacja Tech To The Rescue
+ We exist to empower changemakers with technology
+
+
+
+ https://staging.giveth.io/project/Fundacion-Agroecologica-Iguazu
+ Fundacion Agroecologica Iguazu
+ We believe that humanity and nature can support each other through balance, respect and innovation. We accomplish by protecting the fragile and diverse ecological region near Andresito, Misiones, Argentina and working with local communities to create sustainable development models that generate decent living in harmony with the natural environment.
+
+
+
+ https://staging.giveth.io/project/Fundacja-Wolno-Nam
+ Fundacja Wolno Nam
+
+
+
+
+ https://staging.giveth.io/project/Concordia-Welfare-and-Education-Foundation
+ Concordia Welfare and Education Foundation
+ LEARN MORE: www.cwef.org.hk /<br><br>VISION: Thriving communities, serving and inspiring hope in others. /<br><br>MISSION: Concordia Welfare & Education Foundation is a Hong Kong based non-profit organization founded by Lutheran Christians and dedicated to improving the lives of impoverished rural communities in Asia through education and service. We partner with local communities, organizations and governments to identify sources of poverty and implement programs in the areas of education and community health. We believe education creates opportunities for people to change their lives and create a new future. /
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-Greater-Tarrant-County-Inc
+ Boys Girls Clubs of Greater Tarrant County, Inc
+ The mission of Boys & Girls Clubs of Greater Tarrant County is to enable all young people, especially those who need us most, to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/Sam-Onyemaechi-Humanitarian-Foundation
+ Sam Onyemaechi Humanitarian Foundation
+ Mission Statement<br><br>Your greatest trophies are the tears you wipe away on those you are better of and not on the things you achieve in life. It is our mission to prolong the healing mission of Christ. Christ, while on earth went about doing good.
+
+
+
+ https://staging.giveth.io/project/Warrington-Youth-Zone-Limited
+ Warrington Youth Zone Limited
+ Transforming the lives of Young People across Warrington.<br>Through opportunities and challenges, to inspire young people to lead healthier, happier, more positive lives; raising their aspirations to become caring and responsible citizens with more to offer themselves, their families, the community, and employers.
+
+
+
+ https://staging.giveth.io/project/Fresh-Air-Fund
+ Fresh Air Fund
+ For over 145 years, The Fresh Air Fund has provided life-changing and transformative summer experiences in the outdoors for NYC children from low-income communities. The Fund has served more than 1.8 million children since 1877.
+
+
+
+ https://staging.giveth.io/project/DiscoverU
+ DiscoverU
+ We envision the day when every young person has access to high-quality, out-of-school learning experiences that give them the skills, confidence, and mindset to advocate for their own success. To achieve its Vision, DiscoverU helps youth successfully apply and gain admission to and complete high-quality, out-of-school learning experiences and advocates for the inclusion of experiential learning in the policies and practices of educational systems.
+
+
+
+ https://staging.giveth.io/project/fundacion-programa-Integrar
+ fundacion programa Integrar
+ Promote the comprehensive professional development of young adults from socially and economically vulnerable neighborhoods in the Buenos Aires and La Pampa provinces by providing them with higher education opportunities.
+
+
+
+ https://staging.giveth.io/project/F-Cancer
+ F Cancer
+ Fuck Cancer is dedicated to improving health outcomes by providing early detection, prevention, and support programs that advance health equity for individuals and communities affected by cancer.
+
+
+
+ https://staging.giveth.io/project/The-Bhutan-Centre-for-Media-and-Democracy-(BCMD)
+ The Bhutan Centre for Media and Democracy (BCMD)
+ The mission of BCMD is to nurture a culture of democracy by strengthening media, expanding public discourse, and providing essential training and education for key persons who will have a direct impact on Bhutans democratic transition and the creation of democratic institutions.
+
+
+
+ https://staging.giveth.io/project/OISCA-International
+ OISCA International
+ OISCA is an acronym for ORGANIZATION for INDUSTRIAL, SPIRITUAL and CULTURAL ADVANCEMENT. INDUSTRIAL refers to the promotion of agriculture and other primary industries that are fundamental to human existence. SPIRITUAL, not to be confused with "religion," focuses on the need to nurture qualities such as self-reliance, dedication to ones community, international brother-sisterhood, and respect for the Earths ecological integrity on which life is grounded. And CULTURAL is the intent to encourage the magnificent cultural diversity that has enriched human life, and the universal need to promote cultural patterns such as peace-building. OISCA International contributes to Humanitys environmentally sustainable development through a holistic approach, emphasizing the interconnectedness of agriculture, ecological integrity, and the human spirit. OISCA International implements and advocates hands-on experiential programs for world citizens of all ages, transmitting knowledge and skills, and cultivating spiritual qualities as dedication, self-reliance, and universal brother-sisterhood.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Help-Colombia
+ Fundacion Help Colombia
+ Help Colombias mission is to feed, shelter, and educate Colombias most vulnerable communities. We believe that by first helping to ensure their most basic needs are met, we can give them the opportunity to focus on both personal and economic growth. This in turn will help residents to actively participate in building stronger, more self-sufficient communities.
+
+
+
+ https://staging.giveth.io/project/Ashanti-Peru-Red-Peruana-de-Jovenes-Afrodescendientes
+ Ashanti Peru - Red Peruana de Jovenes Afrodescendientes
+ Promover el reconocimiento, el desarrollo y los derechos humanos de la poblacion afrodescendiente en el Peru mediante el fortalecimiento de la identidad, el liderazgo y la participacion politica de las juventudes de las comunidades afroperuanas en espacios de toma de decisiones, a fin que puedan promover los valores democraticos, la interculturalidad y politicas publicas de inclusion social.
+
+
+
+ https://staging.giveth.io/project/Hiperderecho
+ Hiperderecho
+ Hiperderechos mission is to defend Peruvians rights to take full advantage of the technology revolution for their personal, economic and civic endeavors.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Kantaya
+ Asociacion Kantaya
+
+
+
+
+ https://staging.giveth.io/project/Church-of-the-King-Baton-Rouge-Inc
+ Church of the King Baton Rouge, Inc
+ Church of the King has six core values that guide us in all we do. These values keep us aligned with God’s plan and purpose, and the mission He gave us of Reaching People and Building Lives.
+
+
+
+ https://staging.giveth.io/project/Abiding-Harvest-UMC
+ Abiding Harvest UMC
+ To make fully devoted disciples of these and future generations through participation in authentic Christian community.
+
+
+
+ https://staging.giveth.io/project/Fundacion-A-mano-manaba
+ Fundacion A mano manaba
+ Advance gender equality in order to improve the lives of the most vulnerable population - girls, boys and women - in northern Manabi through formal and informal education programs. Empower girls and women so they may explore their full potential, educate young men so they may be able to challenge the traditional masculinity of a patriarchal society that exposes them to danger, solitude, and violence.
+
+
+
+ https://staging.giveth.io/project/Parkview-Church
+ Parkview Church
+ Glorify God through the whole church forming whole disciples for the good of all people.
+
+
+
+ https://staging.giveth.io/project/FoodForward-SA-NPC
+ FoodForward SA NPC
+ To reduce hunger in South Africa by safely and cost effectively recovering edible surplus food and making it available to those who need it.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Reinventarse
+ Fundacion Reinventarse
+
+
+
+
+ https://staging.giveth.io/project/Our-City-Center-Church
+ Our City Center Church
+ This free fun-filled event will feature an egg hunt, inflatables, Kona Ice Truck, Hot Dogs, races, and more.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Desafio-Levantemos-Chile
+ Fundacion Desafio Levantemos Chile
+ Desafio Levantemos Chile raises private funds to address public issues, seeking to make a sustainable social impact through different projects, transforming them into replicable models.
+
+
+
+ https://staging.giveth.io/project/Childrens-Cancer-Centre-of-Lebanon-(UK)-Limited
+ Childrens Cancer Centre of Lebanon (UK) Limited
+ The mission of CCCL UK Limited is to support the CCCL to realize its mission through:<br>- Securing funds to ensure access to the latest treatment for children suffering from cancer & treated at CCCL<br>- Building a community of supporters to the CCCL mission in UK
+
+
+
+ https://staging.giveth.io/project/Heart-to-Heart-Foundation
+ Heart to Heart Foundation
+ Based on love and compassion of Christianity, Heart to Heart Foundation serves children and families suffering from poverty, disabilities and diseases to empower them and to create "Inclusive Society" for all. Heart to Heart Foundation aims to create inclusive society for all by preventing avoidable disability and achieving social integration of the people with disability. In Korea, where the Foundations headquarter is located, the foundation promotes capacity building for the people with disability through encouraging full social participation and increasing education opportunities tailored to their needs. At the same time, Heart to Heart Foundation is the leading organization in raising awareness about the abilities of people with development disabilities. Internationally, the Foundation is devoted to preventing avoidable blindness in the developing countries and increasing the sustainability of the comprehensive eye health system in those countries by increasing the capacity of the heath care and non-healthcare professionals in partnership with local governments and various civil society partners. <br>Activities for achieving the purpose of the Foundation as follows: <br>Domestically/Nationally - 1) project for supporting the medical expenses for achieving the purpose of the Foundation and supporting the self-reliance of the low-income group, 2) project for promoting child welfare, welfare for the disabled, and family welfare, 3) other projects necessary to achieve the purpose of the Foundation<br>Internationally/Globally - 1) health and educational support projects for the poor, disabled and neglected children, 2) projects for the development and welfare promotion of the area to support, 3) education of volunteer, sponsors, and members, 4) PR activities and print production through various media, 5) other projects necessary to achieve the purpose of the Foundation<br>In 1988, Heart-Heart Foundation took the first step as an organization to carry out professional social welfare projects to support children and their families marginalized and suffering from poverty, disability, and disease, and contribute to improving the quality of life.<br>Promoting local social welfare, the General Social Welfare Center was opened in September 1991, and for 10 years, various welfare programs were implemented to reflect the needs of children, youth, the disabled, and the elderly.<br>We developed a unique area of welfare service by actively reflecting the changing social environment and changes in the needs of the local community, expanding medical expenses support in areas requiring special attention in connection with national general hospitals, and the first orchestra with developmental disabilities and blindness in Korea. We started overseas support projects in 2006 to support health, nutrition, and education for the vulnerable not only in Korea but also in developing countries.<br>Since 2009, we have started eye health projects in underdeveloped countries, and as a regular member of the International Agency for the Prevention of Blindness (IAPB), we are able to develop a better future by improving their quality of life and providing various opportunities by carrying out various and integrated blindness prevention activities at home and abroad. <br>The development of the field of vocational rehabilitation through music activities for the developmentally disabled and the improvement education for the disabled in the participatory type presented new possibilities for the social integration of the developmentally disabled people and improved the expertise of overseas eye health projects through connection with international organizations. Projects are expanding to the disease eradication and water-related disease.
+
+
+
+ https://staging.giveth.io/project/Crucian-Heritage-and-Nature-Tourism-Inc
+ Crucian Heritage and Nature Tourism, Inc
+ Mission Statement <br>CHANT will spark a sustainable tourism renaissance on St. Croix by establishing this island community as one of the leading Heritage and Nature Tourism destinations in the world.<br>Purpose<br>Crucian Heritage and Nature Tourism, Inc. (CHANT) is organized exclusively for charitable, educational and community development related purposes. These purposes include but are not limited to:<br><br> The development of local nature and heritage tourism product providers,<br> The creation and promotion of nature and heritage provider resources using the most recent technologies that will market and reserve the services of local tour providers,<br> The creation of educational outreach programs for schools and the public on Crucian Cultural and Heritage History and the islands environmental systems,<br> The creation and maintenance of a Crucian Cultural Center,<br> To buy, lease, sell, mortgage or otherwise encumber, hold or dispose of both real and personal property of the Corporation,<br> To further all of its work,<br> For such other purposes as may be permitted by the statutes of the Virgin Islands or other laws and statutes of the United States which are not inconsistent with the Articles of Incorporation.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Juan-Felipe-Gomez-Escobar
+ Fundacion Juan Felipe Gomez Escobar
+ Our mission is to break the poverty cycles of adolescent mothers living in utter misery in Cartagena and Medellin, in Colombia. We improve the quality of life of adolescent mothers, their children and their families, through our 360° Model.
+
+
+
+ https://staging.giveth.io/project/Medicare-Health-Foundation
+ Medicare Health Foundation
+ MISSION 2040<br>Medicare Health Foundation aims to establish a maternal and child healthcare system consisting of:<br> 20 thirty-bedded Community Hospitals focusing on Mother and Child Healthcare<br> 200 Small-Scale community based Mother and Child Healthcare Units (MCHs)<br>Furthermore, Medicare hopes to establish a training institute which will complement and strengthen the medical facilities.<br><br>VISION<br>To ensure the accomplishment of the following goals in underprivileged communities:<br>- Healthy Women through Safe Birth and Gynecological Care<br>- Healthy Children through Pediatric care<br>- Healthy Population through General/Specialist Medical Care <br><br>AIMS AND OBJECTIVES<br>1. Within the range of services provided by Medicare, providing high quality healthcare to every patient<br>2. Cultivating a sustaining partnership with the beneficiaries of our programs, for their long-term health and well-being and for the optimal use of the healthcare facilities of Medicare<br>3. Enhancing international and national grants for Medicare, to execute healthcare projects for the poor requiring high capital investments<br>4. Bringing about transparency in the functioning of Medicare, to drive purposeful engagement with donors and volunteers, sustained commitment from them, tracking progress and holding each other to account<br>5. Making Medicare a well-known and highly reputed name, to instill trust in the beneficiaries, donors, and volunteers, and to enhance its credibility at various platforms where partnerships can be forged<br>6. Enhancing the media image of Medicare, to highlight its cause of promoting maternal and child health in poor communities and to reach out to a large number of donors <br>7. Advocating Mother and Child Healthcare in Pakistan at various forums and drawing the attention of the community on maternal and infant mortality, to accelerate and focus action and financing from the community, and to become highlighted as an organization championing this cause. <br>8. Forging ties and forming partnerships with a broad and inclusive range of organizations to advance the Mission of Medicare and benefit mutually
+
+
+
+ https://staging.giveth.io/project/Drones-For-Good-Worldwide
+ Drones For Good Worldwide
+ Drones For Good Worldwide is a US-based non-profit organization that provides drones and related <br>resources for humanitarian assistance during disasters of any kind, including military conflicts across the <br>world.
+
+
+
+ https://staging.giveth.io/project/JING-CHUAN-CHILD-SAFETY-FOUNDATION
+ JING CHUAN CHILD SAFETY FOUNDATION
+
+
+
+
+ https://staging.giveth.io/project/The-Branch-Foundation
+ The Branch Foundation
+ Our Mission:<br><br>The Branch Foundation aims to work alongside marginalized communities in South-East Asia to support sustainable community development through education, capacity building and renewable energy solutions.<br><br>Our Vision:<br><br>Cohesive South-East Asian communities empowered to be self-reliant and able to participate in opportunities available in the wider community around them.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-Life
+ Foundation for Life
+ To Mould the NeXt Generation, so they may have qualities of self-control, reverence and a sense of responsibility, ready for good works. We run activities that help children and youths attain physical, mental, spiritual and social maturity, giving positive teaching to the social evils facing youths today and encourage them to express what they learn through practical service to the communities. We empower the young to be purposeful and responsible for their own future and that of the environment
+
+
+
+ https://staging.giveth.io/project/Norton-Healthcare-Foundation
+ Norton Healthcare Foundation
+ As the philanthropic arm of Norton Healthcare’s not-for-profit adult services, the Norton Healthcare Foundation<br>raises funds to support initiatives at Norton Audubon Hospital, Norton Brownsboro Hospital, Norton Hospital<br>and Norton Women’s & Children’s Hospital.<br><br>Thanks to support from our community, caregivers and our hospitals can stay up to date with medical advances and<br>technology, thereby maintaining the community’s access to high-quality health care.<br><br>Funds raised also make a difference for the more than 400,000 patients and their families who come to us for care<br>each year by supporting the purchase of new equipment, provide programs and education, and fund research spanning<br>Norton Cancer Institute, Norton Heart Care, Norton Neuroscience Institute, Norton Women’s Care and other adult<br>health services.
+
+
+
+ https://staging.giveth.io/project/Ihtiyac-haritasi-(TR-Ihtiyac-Haritas)
+ Ihtiyac haritasi (TR- Ihtiyac Haritas)
+ Ihtiyac Haritas "Needs Map"<br>is an online platform where people in need meet the people who want to support and make a difference in their neighbourhood.
+
+
+
+ https://staging.giveth.io/project/Central-Community-Church-Inc
+ Central Community Church Inc
+
+
+
+
+ https://staging.giveth.io/project/I-Live-Again-Uganda
+ I Live Again Uganda
+ Our mission is to give hope to victims of war through holistic restoration and encourage those we serve to live a life of purpose.<br>We provide individuals, families and communities in both urban and village settings the opportunity to find hope, healing and new life after war. We provide Trauma Counseling, Discipleship, Resettlement and Community Development.
+
+
+
+ https://staging.giveth.io/project/Moore-Institute-for-Plastic-Pollution-Research
+ Moore Institute for Plastic Pollution Research
+ The Moore Institute for Plastic Pollution Research is a non-profit organization dedicated to expanding knowledge surrounding the impact of plastic pollution on our environment, through focusing on micro- and nano- plastics research and their threat to the Biosphere worldwide.
+
+
+
+ https://staging.giveth.io/project/Canvas-Church
+ Canvas Church
+ That is our mission, which we work to achieve through a holistic approach to child development. We carefully blend physical, social, economic and spiritual care.
+
+
+
+ https://staging.giveth.io/project/UOSSM-USA
+ UOSSM USA
+ Union of Medical Care and Relief Organizations-USA (UOSSM USA) is a nonprofit, 501(c)(3) charitable, independent, non-government, medical humanitarian organization, incorporated in the State of Texas. UOSSM USA was founded by healthcare professionals to provide lifesaving medical humanitarian relief and access to quality healthcare and mental health services to people and communities affected by crisis, regardless of nationality, ethnicity, gender, religion, or political affiliation.<br><br>UOSSM USA is dedicated to its mission and increases its impact by partnering with local communities and organizations world-wide and is non-political and non-sectarian in its mission.
+
+
+
+ https://staging.giveth.io/project/Animal-Care-Centers-of-NYC
+ Animal Care Centers of NYC
+ Animal Care Centers of New York Citys mission is to end animal homelessness in NYC.
+
+
+
+ https://staging.giveth.io/project/Starting-Chance-Trust
+ Starting Chance Trust
+ Our vision is to empower all children to avoid the education poverty trap caused by inadequate school readiness due to lack of access to high quality Early Childhood Development learning programmes.<br><br>We achieve our vision through the holistic model we have developed, by:<br>creating top quality learning environments in which principals, teachers and learners can flourish and grow,<br>assisting principals to develop their education-provision businesses, making them sustainable and professional,<br>training principals and teachers to provide a top class education to their learners<br>empowering parents to actively support their children through training and development initiatives,<br>providing empowerment for all stakeholders through development of resources, including physical and information technology infrastructure.
+
+
+
+ https://staging.giveth.io/project/Education-Business-Partnership-Kent
+ Education Business Partnership Kent
+ NA
+
+
+
+ https://staging.giveth.io/project/Erikas-Lighthouse:-A-Beacon-of-Hope-for-Adolescent-Depression
+ Erikas Lighthouse: A Beacon of Hope for Adolescent Depression
+ Erika’s Lighthouse is a not-for-profit dedicated to educating and raising awareness about adolescent depression, encouraging good mental health and breaking down the stigma surrounding mental health issues. We work to promote inclusive school cultures around mental health by empowering educators, students and families through our Classroom Education, Teen Empowerment, Family Engagement and School Policy & Staff Development. Our vision is to make sure no young person feels alone in their depression, and that everyone in the school community has the knowledge and support they need to create lasting, positive culture change.
+
+
+
+ https://staging.giveth.io/project/Food-for-Thought-Daventry
+ Food for Thought Daventry
+
+
+
+
+ https://staging.giveth.io/project/Friends-Of-Staverton-School
+ Friends Of Staverton School
+ Arrange a variety of fundraising activities to provide educational equipment for the children of Staverton School
+
+
+
+ https://staging.giveth.io/project/Friends-of-Kislingbury-Primary-School
+ Friends of Kislingbury Primary School
+ Summer Fete, Christmas Fayre, Discos, Movie Nights.
+
+
+
+ https://staging.giveth.io/project/Friends-of-St-James-Infant-School-Daventry
+ Friends of St James Infant School Daventry
+
+
+
+
+ https://staging.giveth.io/project/Guilsborough-Multi-Academy-Trust
+ Guilsborough Multi Academy Trust
+
+
+
+
+ https://staging.giveth.io/project/PathForward
+ PathForward
+ PathForward’s mission is to transform lives by delivering housing solutions and pathways to stability. PathForward’s vision is an inclusive and equitable community where all neighbors live stable, secure, and independent lives free from the threat of homelessness.
+
+
+
+ https://staging.giveth.io/project/Star-City-Boxing
+ Star City Boxing
+ A family culture driven to uplift and empower the youth and individuals to improve their life through boxing and fitness
+
+
+
+ https://staging.giveth.io/project/Harrys-Pals
+ Harrys Pals
+
+
+
+
+ https://staging.giveth.io/project/Harlestone-Primary-School
+ Harlestone Primary School
+
+
+
+
+ https://staging.giveth.io/project/Human-Rights-Campaign-Foundation
+ Human Rights Campaign Foundation
+ The HRC Foundation – a tax-exempt 501(c)(3) organization – envisions a world where all LGBTQ+ people can participate fully in the systems that shape our daily lives. Through public education, research, and policy and practice change, the Foundation’s impact can be felt in schools, on factory floors and corporate suites, and in places of worship. It touches LGBTQ+ lives from childhood through end-of-life, people of all races, ethnicities, sexual orientations, gender identities, abilities and religious beliefs, in big cities and small towns, in the United States and across the globe.
+
+
+
+ https://staging.giveth.io/project/Sporos-Regeneration-Institute
+ Sporos Regeneration Institute
+ Our Mission is the regeneration of the environment, of culture and of human relations. Through our plethora of educational tools we aim to teach people of all backgrounds and ages how to live more sustainable, healthier lives while caring for each other and mother nature. <br><br>We envision leaving behind a greener and more just world for our future generations, free from apathy and greed and full of empathy and generosity.
+
+
+
+ https://staging.giveth.io/project/Alstrom-Syndrome-UK
+ Alstrom Syndrome UK
+ Alstrom Syndrome UK provides information, family support and advice for individuals affected, their families, carers and professionals. We work closely with Birmingham Childrens Hospital & Torbay Hospital to support the multi-disciplinary clinics for Alstrom patients. We raise money for research. We endeavour to raise awareness of Alstrom Syndrome. We provide a 24 hour answer-machine help-line.
+
+
+
+ https://staging.giveth.io/project/Melanom-Info-Deutschland-MID-eV
+ Melanom Info Deutschland - MID eV
+ Our mission is to help people with skin cancer live as long and as well as possible. To this end, we unite online in a self-help group and become active in our non-profit association Melanom Info Deutschland e.V.
+
+
+
+ https://staging.giveth.io/project/CITIZENS-DISASTER-RESPONSE-CENTER-FOUNDATION-INC
+ CITIZENS DISASTER RESPONSE CENTER FOUNDATION, INC
+ CDRC aims to build capacities of the most vulnerable sectors comprising the poor majority to comprehensively prepare for and respond to potential disaster situations while addressing the root causes of their vulnerabilities through community-based disaster management, people-managed programs and services, and working with social movements that address poverty, social inequalities, and extractive, environmentally-destructive practices, policies and systems. <br> <br>CDRC regards the most vulnerable sectors as those whose socio-economic conditions make them highly vulnerable to hazards and disasters and yet comprise the majority of society, such as the workers, peasants, indigenous peoples, and other low income groups. CDRC gives special attention to those who have added vulnerabilities such as children, women, the frail, the elderly and people living with disabilities.
+
+
+
+ https://staging.giveth.io/project/Knox-Infolink-Inc
+ Knox Infolink Inc
+
+
+
+
+ https://staging.giveth.io/project/Fundacion-United-World-College-Costa-Rica
+ Fundacion United World College Costa Rica
+ Our mission is to educate a deliverately diverse group of young men and women to become happy, healthy and committed individuals, capable through their leadership and engagement, of fostering positive change in their communities in order to contribute to achieving a more sustainable and peaceful world.
+
+
+
+ https://staging.giveth.io/project/National-Aboriginal-Sporting-Chance-Academy-(Aboriginal-Corporation)
+ National Aboriginal Sporting Chance Academy (Aboriginal Corporation)
+
+
+
+
+ https://staging.giveth.io/project/The-Community-Action-Alliance
+ The Community Action Alliance
+ The organization was formed to bring ex-patriot and local Costa Ricans in San Ramon together to support charitable, educational, environmental, civic and cultural activities for the benefit of the residents of the greater San Ramon, Alajuela, Costa Rica area.
+
+
+
+ https://staging.giveth.io/project/Project-Karma-Limited
+ Project Karma Limited
+ Project Karmas mission is to rescue, rehabilitate and protect all children from sexual slavery and abuse. We aim to raise community awareness, change laws, create local investigation teams and provide a clear, accepted, and fit-for-purpose rehabilitation process that puts the needs of the child first.
+
+
+
+ https://staging.giveth.io/project/ORG-Bahamas-Foundation
+ ORG Bahamas Foundation
+ The Organization for Responsible Governance (ORG) serves as a bridge uniting stakeholders from a diverse cross-section of society in pursuit of a common vision: a thriving Bahamas where accountable and transparent governance allows each individual, business and group a say in decisions that affect our future and equal access to opportunity. We believe that responsible governance can only be achieved if all sectors of society: the people, private industry, civil society and government all have a seat at the table in deciding the future of the country.<br><br>ORG seeks to empower civil society and the people to take a greater stake in the governance of the country through generating dialogue and education. In tandem with partners like Citizens for a Better Bahamas, The Nassau Institute, and Citizens for a Better Bahamas, ORG galvanizes civil society groups around issues of mutual interest, fosters collective action, and encourages capacity-building and development in advocacy groups.
+
+
+
+ https://staging.giveth.io/project/Dream-City-Foundation
+ Dream City Foundation
+ The Dream City Foundation exists to help people reach their dreams through outreach, the arts, and education.
+
+
+
+ https://staging.giveth.io/project/Costa-Rican-Association-for-Children-with-Cleft-Lip-and-Cleft-Palate
+ Costa Rican Association for Children with Cleft Lip and Cleft Palate
+ Our mission is to provide the necessary resources so that all children born with malformation Cleft Lip/Palate (all over the country) can recover in a complete and thorough manner. <br><br>Although we are an independent association, we work together with the National Childrens Hospital of Costa Rica (which is where they perform surgical treatment) in order to have a multidisciplinary equipment, needed for a proper rehabilitation.<br><br>In Costa Rica, each year, we received an approximately of 85-90 babies with the Cleft Lip/Palate, so our effort is reflected in the smile of all recovered children, but our mission continues standing with each new baby born that presents the malformation.
+
+
+
+ https://staging.giveth.io/project/Project-Transitions
+ Project Transitions
+ Project Transitions is dedicated to serving people with HIV and AIDS by providing housing, comprehensive support services, recuperative care and hospice in compassionate and caring environments.
+
+
+
+ https://staging.giveth.io/project/ONG-Aldeas-Infantiles-SOS-(Bolivia)
+ ONG Aldeas Infantiles SOS (Bolivia)
+ The NGO Aldeas Infantiles SOS (Bolivia) is a member of the SOS-Kinderdorf International world federation that brings together 135 countries and whose goal is to ensure that each child grows up in a protective and afective family.<br><br>Aldeas Infantiles SOS Bolivia is a non profit organization with more than 48 years of experience working for Bolivian children
+
+
+
+ https://staging.giveth.io/project/One-Foundation-Oaxaca-AC
+ One Foundation Oaxaca AC
+ To support grassroots initiatives which promote the sustainability and Independence of communities in Oaxaca. Our vision is to generate social-environmental consciousness and sustainable production in the Oaxacan countryside.<br>Our major goals include:<br>Securing the sustainability of natural resources in the communities here we work.<br>Reducing the health risks associated with rural life in Oaxaca.<br>Supporting resistance to consumerism and Independence from corporations and governments.<br>Increasing community members level of self-esteem, wellbeing and happiness.<br>Increasing the level of peoples satisfaction with community life. <br>Objectives / Activities<br>1) Develop a working model sustainable homestead based on village life in Oaxaca.<br>2) Foster self-sustaining businesses that support women, families and local economies.<br>3) Preserve and promote biological diversity.<br>4) Protect cultural heritage and traditions.<br>5) Promote and support community-wide projects that foster social-environmental sustainability<br>6) Promote and support projects that improve domestic health <br>7) Augment household food self-sufficiency and community food sovereignty. <br>8) Engage local people and returning migrants in sustainable community development.<br>9) Support education and training for sustainable management of local initiatives, organizations and businesses.<br>10) Support and promote fair trade initiatives and collective marketing of village-made products.<br>11) Establish access to information on alternatives in health, economy, agriculture, society, etc.
+
+
+
+ https://staging.giveth.io/project/Mercatus-Center-Inc
+ Mercatus Center, Inc
+ The Mercatus Center at George Mason University is the world’s premier university source for market-oriented ideas—bridging the gap between academic ideas and real-world problems.<br><br>A university-based research center, the Mercatus Center advances knowledge about how markets work to improve people’s lives by training graduate students, conducting research, and applying economics to offer solutions to society’s most pressing problems.<br><br>Our mission is to generate knowledge and understanding of the institutions that affect the freedom to prosper, and to find sustainable solutions that overcome the barriers preventing individuals from living free, prosperous, and peaceful lives.
+
+
+
+ https://staging.giveth.io/project/Promundo
+ Promundo
+ Promundo works to promote gender equality and build a world free of violence involving men and boys in partnership with women and girls.
+
+
+
+ https://staging.giveth.io/project/Reachout-Foundation
+ Reachout Foundation
+ To improve the lives of children deprived of parental care and children living in poverty in Bulgaria through providing them with opportunities for social integration.
+
+
+
+ https://staging.giveth.io/project/Global-Fund-for-Children
+ Global Fund for Children
+ Global Fund for Children (GFC) works to build a world where all children and youth enjoy equal resources and opportunities in society and live free from violence, discrimination, and exploitation. To that end, GFC partners with innovative local organizations, helping them deepen their impact and build their capacity for social change. Together, GFC and its partners advance the rights of children and youth facing poverty and injustice and equip them with the tools and skills to reach their full potential. Since 1997, Global Fund for Children has invested $46 million in more than 725 organizations, reaching more than 11 million children and youth worldwide.
+
+
+
+ https://staging.giveth.io/project/Friends-of-El-Sistema-Japan
+ Friends of El Sistema Japan
+ Build the system where children in Japan can realise what they want through music and other art activities. In particular, establish childrens orchestra in which the children in vulnerable environment can actively participate and through which they can live positively and initiate social actions.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-Uhn-Inc
+ American Friends of Uhn Inc
+ The principle objectives of the Foundation is to solicit receive manage and distribute monetary contributions to hospitals and organizations that conduct medical research provide medical care and patient programs and to make distributions to entities that support such activities.
+
+
+
+ https://staging.giveth.io/project/Lincoln-Network
+ Lincoln Network
+ NULL
+
+
+
+ https://staging.giveth.io/project/MAKAIA
+ MAKAIA
+ MAKAIA is a non-profit organization strengthens capacities for social development through technology, innovation and international cooperation. Our vision is that every person and organization has knowledge and information to increase opportunities to transform themselves and their communities. MAKAIA means "to build" or "make" in Miskito (Indigenous Language from Honduras). The name represents MAKAIAs objective of building alliances and relationships oriented to the social and economic development.
+
+
+
+ https://staging.giveth.io/project/Animal-Welfare-Society-of-South-Africa
+ Animal Welfare Society of South Africa
+ To advance the rights, welfare and health of all animals
+
+
+
+ https://staging.giveth.io/project/People-in-Need-(PIN)
+ People in Need (PIN)
+ We provide immediate humanitarian aid and help people get back on their feet. We work in more than 30 countries, support child education, help the poorest and most vulnerable, and support human rights activists. We hold the values of mutual help, solidarity and humanism in high esteem.
+
+
+
+ https://staging.giveth.io/project/Music-for-Life
+ Music for Life
+ Our mission is to use music education to support at-promise youth - youth without the resources and support necessary to reach their potential; to help them overcome their barriers to becoming successful, self-sufficient adults. Youth cannot succeed when denied opportunities because of their identity or the circumstances into which they are born.
+
+
+
+ https://staging.giveth.io/project/Generating-Genius
+ Generating Genius
+ Raising the next generation of STEM talent by inspiring less-privileged and underrepresented students.
+
+
+
+ https://staging.giveth.io/project/Asians-United
+ Asians United
+ To empower and mobilize young Asian Americans to be changemakers in San Francisco.
+
+
+
+ https://staging.giveth.io/project/World-Housing-Inc
+ World Housing, Inc
+ World Housings mission is to create lasting social change. We believe in housing first and that a home is the beginning of a life with safety, stability, and the foundation for the restoration of dignity and hope for the future. Families begin to thrive bringing up a new generation of healthy, educated and inspired leaders for their community.
+
+
+
+ https://staging.giveth.io/project/Los-Patojos-Dreams-Ideas-in-Action
+ Los Patojos, Dreams Ideas in Action
+ Los Patojos was created to give hope and dignity to the children and youth of Jocotenango. Our purpose is to prevent our children and youth from falling into lives of despair, poverty and violence. We are working toward this objective by being agents of change, using dialogue to resolve problems, rather than violence. We address the various issues these children face by engaging them in fine arts, journalism, ballet, break dancing, photography and music lessons. Through these activities their self-confidence, their pride and their hope for a better future grows incredibly. They learn valuable life skills, such as perseverance, team co-operation and dignity. They know they can aspire to achieve more than the lives they see around them. We are also now an approved school offering free education from Pre-Primary to Grade 7, with Grade 8 being added in 2017 and Grade 9 in 2018, Grade 10 in 2019 and Grade 11 in 2020.
+
+
+
+ https://staging.giveth.io/project/Little-Sisters-of-the-Poor-Baltimore-Inc
+ Little Sisters of the Poor Baltimore, Inc
+ Continuing the work of St. Jeanne Jugan, our mission is to offer the neediest elderly of every race and religion a home where they will be welcomed as Christ, cared for as family, and accompanied with dignity until God calls them to himself.
+
+
+
+ https://staging.giveth.io/project/OSCAR-(Organization-for-Social-Change-Awareness-and-Responsibility)-Foundation
+ OSCAR (Organization for Social Change, Awareness and Responsibility) Foundation
+ To encourage leadership, team work, and provide educational support to youth from economically and socially disadvantaged communities through football
+
+
+
+ https://staging.giveth.io/project/NAMI-Seattle
+ NAMI Seattle
+ NAMI Seattles mission is to address the unmet mental health needs within our community through support, referral, education, and outreach.
+
+
+
+ https://staging.giveth.io/project/Prime-Educational-and-Social-Trust
+ Prime Educational and Social Trust
+ Prime Trusts mission is to empower the rural and urban poor, enabling them to become self-reliant.<br><br>To achieve this, Prime Trust focuses on two areas:<br><br>Financial support (micro-finance) <br>Education and raising awareness <br>We provide financial support through a linkage microfinance system and education via awareness programs conducted in our SHGs and tutoring at our remedial school. We strive to constantly expand our activities and to improve the service and knowledge we provide, in order to ensure that it is relevant for the women and children with whom we work.<br><br>Aims & Objectives<br>To provide the women of our Self-Help Groups (SHGs) with microfinance and assist them to successfully utilize the means given to them. <br>To increase the number of SHGs in Puducherry and Tamil Nadu. <br>To continuously improve the microfinance system and to make it more easily accessible for the women in the SHGs.<br>To create awareness on womens right issues. <br>To educate children and women in the local communities about HIV/AIDS. <br>To create awareness on childrens rights issues such as child labor and the right to education. <br>To offer extra schooling through remedial schools for less fortunate children. <br>To locate sponsors for children to ensure that they receive an adequate education.
+
+
+
+ https://staging.giveth.io/project/RESCUE-FOUNDATION
+ RESCUE FOUNDATION
+ To verify the presence of the missing girls and investigate presence of minor girls in the brothels.<br>To Rescue the girl along with all girls willing to be rescued,To provide safe shelter and balanced nutrition to the girls, To provide complete health care including HIV treatment to the girls, To provide vocational training to the girls so that they can sustain themselves. To provide psycho-social counseling at every stage for regenerating their faith in mankind and increasing their will power.
+
+
+
+ https://staging.giveth.io/project/The-Bronx-High-School-of-Science-Alumni-Foundation-Inc
+ The Bronx High School of Science Alumni Foundation, Inc
+ The Bronx Science Alumni Foundation is organized for charitable and educational purposes, including, without limitation, to preserve the mission and excellence of The Bronx High School of Science. The Bronx Science Alumni Foundation exists to build and maintain relationships among its alumni and friends, to raise funds for both the School and Foundation activities and to serve as an effective model of a successful public school-private Foundation partnership.<br><br>Providing financial resources and strategic guidance, the Foundation will work to ensure the highest quality education for students currently attending The Bronx High School of Science, while fostering lifelong social and professional relationships amongst the alumni.
+
+
+
+ https://staging.giveth.io/project/Perkumpulan-Mitra-Teknologi-Informasi-dan-Komunikasi-Indonesia
+ Perkumpulan Mitra Teknologi Informasi dan Komunikasi Indonesia
+ ICT Watch is committed to keep the Indonesias Internet ecosystem remain positive and productive, by supporting positive content and initiating digital literacy program entitled "Internet Sehat" (Cyber Wise). As ICT Watch is committed to strengthen Indonesias NETIZENSHIP capacity, we strive to do the following:<br>*) Cyber Ethics, to develop Indonesian people awareness, emphasis on parents and teachers, on the use of ICT / Internet safely and wisely by children, students, and young generations.<br>*) Internet Rights, to empower Southeast Asia civil societies, especially freedom of expression activists, by together developing the knowledge and capacity to use ICT / Internet appropriately.<br>*) Digital Skills, to support global multi-stakeholder dialogue in digital skill and Internet governance whilst upholding the key principles of transparency, accountability, equality and democracy.
+
+
+
+ https://staging.giveth.io/project/Royal-College-of-Surgeons-in-Ireland
+ Royal College of Surgeons in Ireland
+ RCSI: Leading the world to better health<br><br>RCSI has been at the forefront of health education for over 230 years. A deep professional responsibility to enhance human health through endeavour, innovation and collaboration in education, research and service informs all that we do.<br><br>Our ultimate purpose is to work in service of patients. Our role is to prepare healthcare professionals for the future, educating them within a world leading, pioneering learning environment that will enable them to thrive in complex clinical settings across the globe.
+
+
+
+ https://staging.giveth.io/project/The-READ-Educational-Trust
+ The READ Educational Trust
+ To help people throughout Southern Africa develop their reading, writing, learning, information and communication skills so that they may become independent, life-long learners.
+
+
+
+ https://staging.giveth.io/project/The-Air-Care-Alliance
+ The Air Care Alliance
+ The Air Care Alliance is devoted to fostering, enhancing, and promoting public benefit flying in the United States and other countries. Our Mission is to promote, support, and represent public benefit flying through communication and cooperation among organizations facilitating flights for health, compassion, and community service.
+
+
+
+ https://staging.giveth.io/project/1000-Dreams-Fund
+ 1000 Dreams Fund
+ To support dreams of talented young women in need by providing access to critical funding, resources and meaningful mentor relationships.
+
+
+
+ https://staging.giveth.io/project/LILT-Milano-Monza-Brianza
+ LILT Milano Monza Brianza
+ The Italian League for the fight against tumours - Provincial Department of Milan, founded in 1948 thanks to a strong culture of solidarity and education of health, acts in Milan and hinterland with the aim of facing the cancer problem in its wholeness through various services in the area of prevention, precocious diagnosis and assistance with the support of well-prepared 700 volunteers and the sponsorship of the medical research. <br><br>The intervention areas are:<br><br>Prevention activities: programmes against smoking, prevention in schools, sensibility and medical information conferences just in order to educate people to a proper life-style, activities in the Antismoke Institutes of Milan and Monza that tend to eliminate smoke addiction and assistance for the application of "No smoking Policy " in companies. <br><br>Activities of precocious Diagnosis: 16 Prevention Spaces, at disposal of people without bureaucratic procedures, where medical staff carry out examinations on sinus, cutis, oral cavity and prostate, and exams such as mammography, mammary ecography and pap-test. They also organize medical examinations requested by town councils and by Milan and hinterland companies.<br><br>Assistance activities: in hospital and at home, socio-medical assistance, volunteers that see patients home/hospital/home for therapies, hospitality in welcome homes for adults and children. Training School for Volunteers opened to other Associations.<br><br>Sponsorship for oncology institutions - research: cash grants to the clinic research and to other institutions that work on oncology area, scholarships, conferences and training/ refresher courses for the medical staff.
+
+
+
+ https://staging.giveth.io/project/Society-of-the-United-Helpers
+ Society of the United Helpers
+ To serve our community, and help those in need.
+
+
+
+ https://staging.giveth.io/project/Mothers-Union
+ Mothers Union
+ Mothers Union takes care of every Lithuanian child touched by the cancer. Our goal is to help children with the cancer and their families to deal with the psychological, medical, rehabilitation and financial problems.<br><br>We strive to:<br><br>*Supply children with necessary medications that are not compensated by the Healthcare system, most of which are too expensive for majority of sick childrens families<br>*Support lack of most important medical equipment in the Childrens Hospital in Vilnius (Santariskes) and Kaunas Pediatric Clinic where children with cancer from Lithuania and abroad get their treatment;<br>*Cover treatment, nursing and travel abroad expenses to those children and their families who could not be treated in Lithuania;<br>*Fulfill ill childrens dreams which sometimes, unfortunately, appear to be the last ones
+
+
+
+ https://staging.giveth.io/project/Stairway-Foundation-Incorporated
+ Stairway Foundation Incorporated
+ Through innovation, creative excellence and professional networking, Stairway Foundation strives for universal promotion and upholding the United Nations Convention on the Rights of the Child (UNCRC)
+
+
+
+ https://staging.giveth.io/project/Fundacion-Caminando-Juntos-(United-Way-Argentina)
+ Fundacion Caminando Juntos (United Way Argentina)
+ Promote the communitys own capacity to improve its quality of life, prioritizing early childhood (education) and integration in the workforce through volunteer work and social investment.<br><br>To promote community abilities to improve their life quality, making focus on First Childhood and Labour Inclusion, through volunteer work and social investments.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Fondo-Unido-Honduras
+ Fundacion Fondo Unido Honduras
+ United Way improves the quality of life through the mobilization of communities to advance the common good
+
+
+
+ https://staging.giveth.io/project/Jordan-Open-Source-Association
+ Jordan Open Source Association
+ The Jordan Open Source Association (JOSA) is a non-profit organisation based in Amman, Jordan. The association is among the few non-profits registered under the Jordan Ministry of Digital Economy and Entrepreneurship.<br><br>JOSAs mission is to promote open source principles for the good of the Jordanian society. We believe that information that is non-personal - whether its software code, hardware design blueprints, data, network protocols and architecture, content - should be free for everyone to view, use, share, and modify. Our belief also holds that information that is personal should be protected within legal and technological frameworks. Access to the modern Web should likewise remain open.
+
+
+
+ https://staging.giveth.io/project/Kabbalah-Centre-International
+ Kabbalah Centre International
+ The Kabbalah Centre’s mission is to create a positive global change. Through the wisdom of Kabbalah, we empower humanity to transform and achieve true fulfillment.
+
+
+
+ https://staging.giveth.io/project/Operation-Kindness
+ Operation Kindness
+ Operation Kindness, a 501(c)(3) non-profit animal welfare organization, operates a lifesaving animal shelter and programs to assist people and pets.
+
+
+
+ https://staging.giveth.io/project/PANE-QUOTIDIANO-ONLUS
+ PANE QUOTIDIANO ONLUS
+ Food for the poor
+
+
+
+ https://staging.giveth.io/project/Friends-of-Yad-Sarah
+ Friends of Yad Sarah
+ Yad Sarah, Israels largest volunteer staffed organization, provides a vital array of compassionate health and home care services for people of all ages.
+
+
+
+ https://staging.giveth.io/project/Mathare-Foundation-Youth-Group
+ Mathare Foundation Youth Group
+ To train and create opportunities for children and youths in media, performing arts, sports, and leadership skills so that they become better citizens in their respective communities.
+
+
+
+ https://staging.giveth.io/project/Iyolosiwa-AC
+ Iyolosiwa AC
+
+
+
+
+ https://staging.giveth.io/project/Libyan-Internet-Society-(LISOC)
+ Libyan Internet Society (LISOC)
+ Our mission : Internet for all services for all <br>Promote accessibility as access to the internet is access to better education, better health and better rights.
+
+
+
+ https://staging.giveth.io/project/Wings-Melaka
+ Wings Melaka
+ Wings Melakas mission is to make a difference in the lives of people with disabilities and their families by providing learning opportunities that will enable them to achieve their full potential.<br><br>As an expression of Gods love, Wings Melaka embraces the following values: Compassion, Acceptance, Integrity and Hope.
+
+
+
+ https://staging.giveth.io/project/Yad-Ezra-VShulamit
+ Yad Ezra VShulamit
+ Yad Ezra V’Shulamit feeds hungry children and families in Israel. Our goal is to make sure children and families have enough to eat and have their basic needs met so they can fulfill their potential.
+
+
+
+ https://staging.giveth.io/project/Fraternidade-De-Alianca-Toca-De-Assis
+ Fraternidade De Alianca Toca De Assis
+
+
+
+
+ https://staging.giveth.io/project/Persatuan-Sukarelawan-Pendidikan-Minda-Kreatif-Kuala-Lumpur-(KLCMEVS)
+ Persatuan Sukarelawan Pendidikan Minda Kreatif Kuala Lumpur (KLCMEVS)
+ We Are Creating STEM Leaders<br>Across Society To End Educational Inequality
+
+
+
+ https://staging.giveth.io/project/Rise-Against-Hunger-Malaysia
+ Rise Against Hunger Malaysia
+ Rise Against Hunger Malaysia (formerly known as Stop Hunger Now Charitable Association) is driven by the vision of a world without hunger. Our mission is to end hunger in our lifetime by providing food and life-changing aid to the worlds most vulnerable and creating a global commitment to mobilize the necessary resources.
+
+
+
+ https://staging.giveth.io/project/Essex-County-Community-Foundation-Inc
+ Essex County Community Foundation, Inc
+ Essex County Community Foundation inspires philanthropy that strengthens the communities of Essex County by managing charitable assets, strengthening and supporting nonprofits and engaging in strategic community leadership initiatives.
+
+
+
+ https://staging.giveth.io/project/Poly-Prep-Country-Day-School
+ Poly Prep Country Day School
+ To prepare and inspire the next diverse generation of leaders and global citizens to act with intelligence, imagination and—above all—character, is at the center of everything we do.
+
+
+
+ https://staging.giveth.io/project/Promocion-Social-Integral-AC
+ Promocion Social Integral, AC
+ na
+
+
+
+ https://staging.giveth.io/project/Pronatura-Mexico-AC
+ Pronatura Mexico, AC
+ We are an organization of civil society, Mexican, dedicated to the conservation and resilience of biodiversity and environmental services that contribute to the construction of a fair and equitable society in harmony with nature. <br><br>We have more than 37 years of technical experience and work hand in hand with local communities, public and private sectors to promote integral solutions under a governance environment for the conservation of nature in the Center-West of Mexico.
+
+
+
+ https://staging.giveth.io/project/Chai-Lifeline
+ Chai Lifeline
+ To bring joy and hope to children, families and communities impacted by serious illness or loss.
+
+
+
+ https://staging.giveth.io/project/Morocco-Animal-Aid
+ Morocco Animal Aid
+ Our mission is to provide a humane and sustainable solution to the stray dog and cat populations and their medical needs in Southwestern Morocco.<br><br>We aim to respond to emergencies quickly, mobilising resources to ensure animals in need get vital treatment as soon as possible. Our volunteers vigilantly check their territories to assess the health and wellbeing of the animals within their territory to ensure they are safe, healthy & protected.
+
+
+
+ https://staging.giveth.io/project/Vision-Africa-Ministries
+ Vision Africa Ministries
+ Our purpose is to deliver empowering aid that heals the mind, body, and soul, so that the people we serve can experience Gods love and live abundant lives.
+
+
+
+ https://staging.giveth.io/project/Flatirons-Community-Church
+ Flatirons Community Church
+ To bring the awesome life of Christ to people living in a lost and broken world
+
+
+
+ https://staging.giveth.io/project/Spina-Bifida-Association-of-Greater-New-England
+ Spina Bifida Association of Greater New England
+ The mission of the Spina Bifida Association of Greater New England ("SBAGNE") is to build a better and brighter future for all those impacted by Spina Bifida. We envision a world in which everyone impacted by Spina Bifida is accepted and thrives. We are the ONLY voluntary health organization in New England supporting the estimated 4,400 individuals living with Spina Bifida and their families.<br><br>Connections are at the core of all of our programming. We connect our members to each other through social programs such as Teen Empowerment Weekend, Family Camp Weekend, Adult Empowerment Weekend, Meet Your Neighbor Events, Summer Picnics, and Holiday Parties. We connect our members to the medical community through our Regional Education Conference, webinars, and ongoing efforts to develop a database of medical providers willing to treat adults with Spina Bifida. We connect our members to the broader community through referral to peer disability resources, advocating in each state for recognition by the Governor, and nationwide virtual programs such as Book Club and our Strut and Stroll Fashion Show.<br><br>Spina Bifida is the most common permanently disabling birth defect. It occurs when the spine and spinal cord do not<br>form properly within the first 30 days of pregnancy. There is no cure. Individuals with Spina Bifida have multiple medical<br>needs including: walking and mobility issues from paralysis; bowel and bladder incontinence; Hydrocephalus; latex<br>allergies and pressure sores; executive functioning deficits; and difficulty finding medical care as adults. Many<br>individuals have dozens of surgeries – orthopedic, urological and neurological – throughout their lifetime. Because of<br>this, they can encounter social/emotional and mental health issues in addition to physical limitations. We endeavor to support, connect, and empower our members as they strive to live their best lives.
+
+
+
+ https://staging.giveth.io/project/Prisoners-Assistance-Mission-(PAM)
+ Prisoners Assistance Mission (PAM)
+
+
+
+
+ https://staging.giveth.io/project/Star-of-Hope-Foundation
+ Star of Hope Foundation
+ To ensure obtaining of knowledge, good manners and practical skills in the young people upon assuming responsibility and for making efficient and useful decisions in the different fields of public life which shall ensure benefit for their families and for the civil society. <br>To help hereby to create people with self-esteem, moral resistance and ethics.<br>To perform social activity by rendering support and humanitarian aid to:<br>- people in need who have suffered from natural and social disasters by providing food, clothes, transport, shelter, etc.<br>- unemployed people, young families, orphans, homeless people and mothers, incapacitated and socially weak people and invalids, people deprived of freedom and other categories of socially disadvantaged people.<br>- state and private institutions dealing with invalids.<br>- literacy activities<br>- organizing and holding courses for professional training and for acquiring qualification /in different types of specialties/.<br>To support individuals who have spent some time in social institutions: correctional institutions and rehabilitation centers for drug addicts, prisons and orphanages for their realization in the civil society.
+
+
+
+ https://staging.giveth.io/project/Rotary-Club-of-Narayangarh
+ Rotary Club of Narayangarh
+ Mission of Rotary Club of Narayangarh is as mandated by the Rotary International. Rotary is dedicated to seven areas of focus to build international relationships, improve lives, and create a better world to support our peace efforts and end polio forever. The main causes are (i) promoting peace (ii) fighting disease (iii) providing clean water, sanitation and hygiene (iv) saving mothers and children (v) supporting education (vi) growing local economies and (vii) protecting environment.
+
+
+
+ https://staging.giveth.io/project/KidsCan-Charitable-Trust
+ KidsCan Charitable Trust
+ KidsCan provides the essentials to Kiwi kids affected by poverty so they can participate in learning and have an opportunity for a better future.
+
+
+
+ https://staging.giveth.io/project/LIIV-Atlanta
+ LIIV Atlanta
+
+
+
+
+ https://staging.giveth.io/project/Engozi-Za-Mukama-(Gods-Love-Home)
+ Engozi Za Mukama (Gods Love Home)
+ STATEMENT OF PROBLEMS/BACKGROUND INFORMATION:<br><br>The negative hindrance to development and economical growth in Uganda include:-<br>Unemployment, high population growth rate, low income, subsistence agricultural dependence, low literacy levels, hunger and poverty, disease especially HIV/AIDS and domestic violence. All these culminate in chronic poverty, low income earnings and poor standards of living.<br>The above problems have not excluded the individuals in Kibwa Zone kampala, with a majority of children orphaned, and youth drop-outs unemployed so they are unable to meet the basic necessities of life, poor shelter, shortage of land and unable to access development information about the available social services. They have no minimum capital essentially for raising incomes and improving the quality of life. So, these have over the years resorted to very low earning income/ economic activities, engaging in multiple relationships, others stay in redundancy resulting to idleness.<br>All these have led into disease spreading, family conflicts, drug abuse and many other associated problems. Although there is some help from the Government and Non-governmental organizations and other development agencies, the result has remained. <br> PROJECT GOALS:<br> This is a non governmental organisation established with aim of helping Vulnerable children, improving their economic and social welfare especially orphans and Aids Infected children to attain minimum basic necessities of life and standards of living.<br> To improve social welfare and economy of individuals within our organization especially single orphans and youth <br> Caring and supporting children infected/affected by <br> HIV/AIDS, war and domestic violence.<br><br> OBJECTIVES:<br> Sensitizing the community towards an HIV free generation through <br>prevention of mother to child transmission.<br><br> People living with HIV/AIDS to adhering to drugs through timely taking, nutritional support and sanitation.<br><br> Starting up an orphanage centre for caring and supporting orphans/children who were infected and affected by HIV/AIDS, war and domestic violence because many of them are discriminated from families, schools and in their communities as well. <br><br> Providing holistic care and support to children until they grow to a level of basic sustainability.<br><br> Provide members with basic necessities such as food, clothing and shelter, and to sustain their house hold income.<br><br><br> Setting up a Kindergarten/Primary school for orphans.<br><br> Acquiring land and putting up permanent structures<br><br> To provide an option of better economic activities such as the idea of good farming and poultry.<br> To sensitize and mobilize over 300 orphans and disadvantaged children in other income generating activities e.g. poultry, farming and other disadvantaged individuals to join the profit in caravan of and other profiting economic activities so that they can abandon the non-profiting businesses.<br>FINANCIAL SUPPORT:<br>Most of our members have got the ability run the project activities but they lack capital and bank loans would be an appropriate source of capital to finance our projects but they carry huge interest rates. <br>We have also tried a hand of other several projects i.e. poultry, farming which we feel if expanded, could be a good source of income to our families and hence become self reliant<br> TARGET GROUPS:<br>The target groups e.g. Orphans and disadvantaged children<br> 250 50<br> METHODS/IMPLEMENTATION STRATEGIES:<br><br> The primary method is that we have to put in place a workshop/seminar/meeting where our members will attend to sensitize people about our objectives.<br><br> That we have put in place an office to extend our services and get in touch easily to the communities.<br><br> We are also having a long run project of opening up a Nursery /primary School and a large orphanage centre for orphans, and school dropouts using the obtained funds. This will help us to enhance the sustainability of the project without more external help or funding.<br><br> Meetings, workshops or seminars will be held annually to check the development and weaknesses of the organization.<br><br> The plan will be put in place for members to generate systematic collection of information about the operations of the project and provide a basic for sharing information with other similar projects.<br><br> Commitment and complete involvement of all members in case of any new ideas or trainings in more skills.<br><br> EVALUATION:<br><br> Performance indicators will be designed to determine whether the set targets are being achieved.<br><br> STAFF AND ADMINISTRATION:<br>This organization will operate with five (5) members selected due to ones skills. These will include; Chairperson, Vice-chairperson, Secretary, Treasurer/Finance, and Publicity Secretary<br><br>Chairperson/Vice Chairperson:<br> Both the Chairperson and Vice Chairperson will be responsible for planning and organizing, overseeing the project development and operation, establishing and maintaining links to community, NGOs, CBOs and scheduling of centre programs and activities.<br><br> They will also be responsible for developing working valuation man ship with formal and informal community leaders.<br><br> The Vice Chairperson will be carrying out the above duties in the absence of the Chairperson. <br>Secretary<br>The Secretary will be handling all general secretarial function for the organization; e.g. typing, printing, arranging for meetings, preparing reports and record keeping.<br>The Secretary will be responsible for maintaining the structure and appearance of the association, routing correspondence and other forms of communication with women orphans, school drop-outs and other disadvantaged people in the community. <br>Treasurer/Finance:<br>The Treasurer will be responsible for the finances of the organization and; <br> Shall solicit for funds for the Association with the help of other members.<br> Shall receive and bank funds of the organization<br> Shall keep books of accounts and be accountable for organizations financial report and hence come up with an annual audited balance sheet.<br> Any other duties as required by the Committee.<br><br>Publicity Secretary<br> Shall be responsible for publicizing any matter in regard with the organization.
+
+
+
+ https://staging.giveth.io/project/CrezcoNut
+ CrezcoNut
+ We are a non-profit organization that seeks to eradicate chronic child malnutrition in Ecuador, we are currently the second country in Latin America and the Caribbean with the highest rate of malnutrition, which affects 1 in 4 children between 6 months and 5 years old. Unfortunately we are also the second country with the highest rate of teenage pregnancy, this tells us that mothers who are not healthy cannot give birth to healthy children, which aggravates the problem and the reason why we have been in this vicious circle since more than 3 decades ago.
+
+
+
+ https://staging.giveth.io/project/Whisper
+ Whisper
+ Equal access to the high quality healthcare to each Ugandan and non Ugandan citizen
+
+
+
+ https://staging.giveth.io/project/DCWC-Community-Hospital
+ DCWC Community Hospital
+ DCWC NEPAL is a non-governmental, non-political, non-religious and non-profit making organization registered under the charity act of the government of Nepal in the year 2000. Their mission is to bring education and healthcare to the rural poor of Nepal who have no access to government services available to the urban population.
+
+
+
+ https://staging.giveth.io/project/Echo100plus
+ Echo100plus
+ Echo100Plus is a registered Austrian charity, which was founded in 2012 by a group of friends, most of them Austrians with strong ties to Greece, who were moved to take action when the scale and intensity of the growing economic and social crisis became apparent.<br><br>We are providing assistance for people in precarious situations in Greece.<br>We are focusing on arriving refugees and receiving communities.<br>We are developing alternative models of cooperation and learning from each other in an increasing social climate of fear.<br>Our mission is to empower and help build new perspectives for the people we support by engaging (international) volunteers thus strengthening civil society.<br>Our emphasis is to establish spaces and programs to enable dialogue and equip/empower all our stakeholder and participants to self-improve their lives.
+
+
+
+ https://staging.giveth.io/project/Nour-Charitable-Society
+ Nour Charitable Society
+ Our mission is to empower women and people with disabilities by providing support and necessary services.
+
+
+
+ https://staging.giveth.io/project/EDUCATRANSFORMA
+ EDUCATRANSFORMA
+ EDUCATRANSFORMA is an agent of transformation based on the pillars of diversity, inclusion, social responsibility, and the sense of belonging of all people.<br>We connect the links to realize positive impact:<br> we are a national agent providing free remote training for trans people in technology, innovation, management, human resources and service areas;<br> we guide organizations to evolve their own culture through diversity consultancy;<br> we raise awareness and develop, focusing on talent recognition groups;<br> we promote innovation through different perspectives, making the ecosystem responsible and representative for everyone.<br>We are the connection between people, organizations, professional qualification, diversity and inclusion.<br>We are the agent that drives society towards a more just, responsible, representative and equitable world.<br>Education, Support Network, Affection and Empowerment for people who are part of the project:<br>Free technical training in up to 10 technologies, innovation, management, digital marketing, and others.<br> Individual technical mentorships with specialists in the areas;<br> Psychopedagogical support;<br> Free psychological assistance;<br> Development of free soft skills;<br> Name and gender rectification assistance for trans people;<br> Health-related assistance regarding financial treatments, including physical health and gender conforming treatments and medictions such as hormones;<br> Assistance for internet payment;<br> Donation of notebooks;<br> Food donations;<br> Bridge to employability with organizations that work with us in partnerships to make environments safer for people of this group.
+
+
+
+ https://staging.giveth.io/project/The-Human-Space-Program
+ The Human Space Program
+ A central project to develop a citizen-authored blueprint for conscious space migration and sustainable, ethical and inclusive stewardship of the solar ecosystem. As we plan our migration off the planet, perhaps we will learn more about healing our relationship with it.
+
+
+
+ https://staging.giveth.io/project/Celebration-Nation-Inc
+ Celebration Nation Inc
+ Our movements, programs and campaigns help shed light on the inequalities that exist within the Latino/a community, which allows us to create an impactful change through community engagement and contribution.
+
+
+
+ https://staging.giveth.io/project/Mission-Bambini
+ Mission Bambini
+ Our mission is to aid and support children suffering from poverty, sickness, lack of education or who have experienced physical or moral violence, by offering them the opportunity and the hope of a new life. <br>It is an independent, lay organisation and is also designated an ONLUS (Non-profit organisation of social value). It operates without discrimination of culture, ethnicity and religion and upholds the United Nations rights of the child. <br>The Foundation works around the world and is closest to the weakest and most neglected children offering them food, medicine, health care, education and programmes for social reintegration. <br>In pursuing its goal, Mission Bambini is inspired by the following values: freedom, justice, truth, respect for others and solidarity.
+
+
+
+ https://staging.giveth.io/project/Polish-Center-for-International-Aid
+ Polish Center for International Aid
+ The Polish Center for International Aid (PCPM) is a non-governmental organization whose mission is to provide humanitarian, development and medical relief assistance throughout the world, while maintaining the basic principles of humanitarianism, impartiality, neutrality and independence.
+
+
+
+ https://staging.giveth.io/project/Save-the-Children-Philippines
+ Save the Children Philippines
+ To inspire breakthroughs in the way the world treats children and achieve immediate and lasting change in their lives
+
+
+
+ https://staging.giveth.io/project/Puerto-Rico-Community-Foundation
+ Puerto Rico Community Foundation
+ To develop the capacities of the communities in Puerto Rico to achieve their social and economic transformation, stimulating philanthropic investment and maximizing the yield of each contribution.
+
+
+
+ https://staging.giveth.io/project/Maison-de-la-Gare
+ Maison de la Gare
+ Maison de la Gares mission is to achieve integration of the begging talibe street children into formal schooling and productive participation in Senegalese society.<br><br>Tens of thousands of talibe children beg on the streets of Senegal for 6 to 10 hours each day for their food and for money to give the "teacher" or Marabout who controls them. They live in unconscionable conditions in "daaras", without access to running water, rudimentary hygiene or nurture, often without shelter and subject to severe abuse. Human Rights Watch published a widely distributed description of this situation in 2010, "Off the Backs of the Children".<br><br>Maison de la Gare is acting with the objective of ending talibe begging in Saint Louis, estimated to include over 7,000 boys between 3 and 19. Having started in rented quarters in the former train station or "gare", a permanent center was built in 2010 with the financial and organizational support of international partners. Programs at this Center will support the talibes of Saint Louis in obtaining a basic education or, for older talibes, learning marketable skills.<br><br>The begging talibe situation is complex, deeply imbedded in the cultural and religious traditions of Senegal and Muslim West Africa. Although the United Nations Committee on the Rights of the Child has called for action in its 1995 and 2006 "Concluding Observations", decisive action is politically difficult. Many initiatives have faltered by ignoring the cultural and societal realities of the situation.<br><br>Maison de la Gare is working from within the present situation to effect permanent change. The organizations broad objectives are:<br><br>1. Integrate talibe children into the formal school system, through literacy classes and teaching the life skills necessary for success there. This objective includes providing literacy classes, hygiene instruction and nutritional support (allowing children to attend class when they would normally be begging for their food). It also requires documentation dossiers for individual children as necessary in the absence of any family support system.<br><br>2. Support talibes integrated into the school system with tutoring, nurturing and material support as necessary for success. This requirement will grow as more talibe are integrated into formal schooling.<br><br>3. Prepare Saint Louis talibe children, from the base of Maison de la Gares Center, for integration into society, and support the success in Maison de la Gares programs, through sports and arts programs, medical care, and nutritional and hygiene teaching and support. The talibes have in general NO access to medical treatment or support. Maison de la Gare has recently built an infirmary within the Center, and engages a nurse and hopes to train nursing aids. The Centers staff serves the medical needs of talibe children throughout Saint Louis, linking them to the Center and its programs and reinforcing relationships with the "Marabouts" who have control over them.<br><br>4. Prepare older talibes, age 15 and over, to be self supporting through apprenticeship programs, including tailoring and market gardening. This requires in-depth relationships with the talibe students, finding ways to reintegrate them into society, either in their home communities or in Saint Louis.<br><br>5. Collaborate actively with local, national and international initiatives working to end talibe street begging. Maison de la Gares new Center has already made the Association a beacon for those concerned with a long term solution to the talibe problem, providing a base for establishing constructive working relationships with Marabouts around Saint Louis, the city administration, and with Amnesty International, Toscan, UNESCO and others acting for children on a national level.
+
+
+
+ https://staging.giveth.io/project/Trans-Empowerment-Project
+ Trans Empowerment Project
+ Our aim is to move the Trans* community out of crisis and into empowerment by focusing on the abolition of white supremacy as a means of ensuring that our most marginalized community members can thrive and live their best lives.
+
+
+
+ https://staging.giveth.io/project/Sostento-Inc
+ Sostento Inc
+ Our mission is to help frontline health workers save lives.
+
+
+
+ https://staging.giveth.io/project/AMBAS-(Womens-Association-of-Barra-de-Santiago)
+ AMBAS (Womens Association of Barra de Santiago)
+ Using community-based interventions, AMBAS empowers women to participate in sea turtle conservation, mangrove restoration, sustainable agriculture and environmental education. AMBAS, the Womens Association of Barra de Santiago, is a Salvadoran non-profit based in Barra de Santiago with two full-time staff, a dozen part-time staff, and a large number of community volunteers.
+
+
+
+ https://staging.giveth.io/project/Hope-Foundation-for-African-Women-(HFAW)
+ Hope Foundation for African Women (HFAW)
+ Mission: Hope Foundation for African Women (HFAW) is a nonpartisan not for profit national grassroots organization committed to women and girls empowerment, their sexual and reproductive health and human rights as well as elimination of gender disparities in all our communities. <br><br> We work for the empowerment of grassroots women and girls through income generating activities and education about their rights. We address gender inequalities through raising awareness, trainings, motivating, inspiring and mentoring the women and organizations we work with.<br><br> Our identity statement: We have firm believe in the power of ordinary people to change their situation and seek to unveil it<br><br>Guiding Principle: To promote gender equality and equity for all<br><br>Core Strategies: HFAW has adopted the strategies in addressing gender inequalities. We work with grassroots women and womens organizations to facilitate womens empowerment. We do this through various means: Engaging them in economic growth through individual and group projects<br> Providing skills to address sexual and reproductive health knowledge and services<br> Involving them in innovative strategies to total eradication of female genital mutilation (FGM)<br> Supporting them to question gender based violence and use whatever formal or informal means available to them to end this vice in their community<br> We mentor women with self-advocacy skills and motivate them to be leaders in their families and communities<br> Educate women on their rights as guaranteed in the 2010 constitution<br> We build the capacity of women to promoters of health, safe environment and other rights<br>Our Core Values <br>-To fight against marginalization of individuals<br>-To be professional, confidential and respectful <br>-Commitment to womens empowerment and seek respectful teamwork with individuals and groups and to uphold every persons human dignity and to do our work with utmost integrity, honesty, transparency and accountability<br>-We have passion, calm and logic in our work to eliminate gender disparities<br><br>Our History: HFAW was started in August 2011 by Dr. Grace B. Mose Okongo and Mrs. Hellen Njoroge as a response to debates in our country that suggest that Kenyas women are not ready or willing to take up political leadership positions to fill the one third constitutional mandate. Currently only a few seats in the National Assembly are occupied by women, we have not met the 1/3 mandate. HFAW leaders see the problem as originating from our extreme patriarchal society which discriminates against women. Advancing womens participation in leadership has to start with addressing the whole spectrum of inequalities at the grassroots. We must address economic and educational inequalities. Women have to be economically empowered and educated about their constitutional and womens human rights. HFAW leaders are engaging women in civic education, womens rights, violence against women, reproductive health and services, and total eradication of FGM.We have started with two marginalized communities of Kisii and Maasai where FGM practice is universal with nearly 97% girls undergoing it. This practice is so detrimental physically but also mentally as it socializes women to accept their poverty and low status position in their families, communities and nation.<br>The overall goal of this project is to improve economic and health of poor and vulnerable women,and advance human rights of Kenyan women and families through education, leadership training and the development of community health teams.<br><br>One of our current objective is to adopt popular education model as implemented by EPES Foundation in South America to train 30 health and human rights promoters to work in rural villages in Nyamira.<br><br>We will use the model to eradicate FGM in these communities; advance reproductive health, economic prosperity and human rights. Ultimately these women will lead much higher quality life and participate in their families and nation as full human beings.
+
+
+
+ https://staging.giveth.io/project/Jifundishe
+ Jifundishe
+ Jifundishe is a small, Tanzanian nonprofit that funds and manages projects for community development by providing educational opportunities. Jifundishe is the Kiswahili word for "to teach yourself." We believe in creating change for the community, and especially young women, through collaboration and both formal and informal education.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Mediapila
+ Fundacion Mediapila
+ Promover la inclusión laboral y el desarrollo personal de mujeres que viven en situación de vulnerabilidad social y económica.
+
+
+
+ https://staging.giveth.io/project/Operation-Mercy
+ Operation Mercy
+ To work in partnership with others to restore hope, grow capacity, and promote community through relief and development initiatives that help transform lives, including our own.
+
+
+
+ https://staging.giveth.io/project/oikos-International
+ oikos International
+ Our international initiatives aim to support the change we want to see in the world by empowering and encouraging student change agents and supporting them in actively creating shifts in the way curricula are structured and developed. Our focus is on economics and management education, including multiple transdisciplinary perspectives and learning approaches.<br>With our work, we provide fertile ground for the leaders of tomorrow to grow and learn: Our philosophy is that to support individuals in becoming sustainability leaders, education has to focus on fostering students to have "...an enhanced understanding of themselves, their abilities and desires, as well as a more profound understanding of their fellow humans and the world they inhabit. For over 30 years we have been continuously innovating with formats that provide platforms for learning, creating and sharing solutions: social labs, conferences, webinars, workshops, simulation games, learning journeys are just some examples.<br>At oikos, we have been coming together as a global community of student change agents for over 30 years. Spread in over 20 countries and 50 cities worldwide, we organize on campus to raise awareness for sustainability and transform our own education.
+
+
+
+ https://staging.giveth.io/project/Mobile-Loaves-Fishes-Inc
+ Mobile Loaves Fishes Inc
+ We provide food and clothing, cultivate community and promote dignity to our homeless brothers and sisters in need.
+
+
+
+ https://staging.giveth.io/project/Childrens-Helpers-Worldwide
+ Childrens Helpers Worldwide
+ CHW SUPPORTS CHILDREN AND TEENAGERS IN LESS DEVELOPED PARTS OF THE WORLD, THROUGH GIVING GRANTS TO LOCAL ORGANISATIONS, WHICH WORK WITH CHILDREN AND YOUNG PEOPLE EVERYDAY. GRANTS ARE GIVEN TO PROJECTS WHICH RELIEVE POVERTY, ADVANCE EDUCATION, RELIEVE SICKNESS AND PROMOTE GOOD HEALTH AND OFFER RECREATIONAL ACTIVITIES WHICH DEVELOP THE CHILDRENS AND TEENAGERS SKILLS AND CAPABILITIES.
+
+
+
+ https://staging.giveth.io/project/FUNDACION-BRINGAS-HAGHENBECK-IAP
+ FUNDACION BRINGAS HAGHENBECK, IAP
+ The Foundations mission is "to create, promote and operate facilities in benefit of children, youths and adults for their development and welfare
+
+
+
+ https://staging.giveth.io/project/May-Blossom-Farm-CIC
+ May Blossom Farm CIC
+
+
+
+
+ https://staging.giveth.io/project/Circular
+ Circular
+ Circular showcases unique solutions to global problems through creative, artistic projects. These projects focus on sustainability, new community narratives, and visual arts entrepreneurship.
+
+
+
+ https://staging.giveth.io/project/Winona-Community-Foundation
+ Winona Community Foundation
+ To be a catalyst for igniting generosity and building the vibrant and enduring place we call home.
+
+
+
+ https://staging.giveth.io/project/The-Fred-Hollows-Foundation-2
+ The Fred Hollows Foundation 2
+ The Fred Hollows Foundation is a international development organisation working to restore sight to people who are blind or vision impaired. Globally there are 1.1 billion people who are blind or vision impaired. 90% of these cases are preventable or avoidable. You can help restore sight for as little as $25 and change someones life forever.
+
+
+
+ https://staging.giveth.io/project/Polska-Akcja-Humanitarna
+ Polska Akcja Humanitarna
+ We help the victims of humanitarian crises caused by armed conflicts and natural disasters.
+
+
+
+ https://staging.giveth.io/project/NGO-Smart-Osvita
+ NGO Smart Osvita
+ Advocating secondary education reform, informing teachers, and supporting their professional growth in line with the reform values as well as promoting the pedagogy of partnership in schools.
+
+
+
+ https://staging.giveth.io/project/Americans-for-the-Arts
+ Americans for the Arts
+ Our mission is to build recognition and support for the extraordinary and dynamic value of the arts and to lead, serve, and advance the diverse networks of organizations and individuals who cultivate the arts in America.<br><br>Connecting your best ideas and leaders from the arts, communities, and business, together we can work to ensure that every American has access to the transformative power of the arts.
+
+
+
+ https://staging.giveth.io/project/Kent-Refugee-Action-Network
+ Kent Refugee Action Network
+
+
+
+
+ https://staging.giveth.io/project/Persatuan-Kebajikan-Hope-Worldwide-Malaysia
+ Persatuan Kebajikan Hope Worldwide Malaysia
+ Persatuan Kebajikan Hopew worldwide Malaysia <br>Our work focuses on Health, Children, Education & Volunteerism Program. Our aim is to improve the lifestyle of needy families through quality healthcare and education aid with the support of our network of volunteers.
+
+
+
+ https://staging.giveth.io/project/Blue-Dragon-Childrens-Foundation
+ Blue Dragon Childrens Foundation
+ Blue Dragons mission is to provide exceptional care to Vietnamese children and families in crisis while creating long-term change for a better world. <br><br>Blue Dragon works according to the following values: <br>- Respect, not pity: The children we work with are treated with at least the same respect that we would treat our own sons and daughters, brothers and sisters.<br>- Development, not charity: Our work is to help children develop fully as they grow, through providing a broad range of experiences and opportunities. Rather than simply provide a handout, we provide a hand up for those who choose to better their circumstances and themselves. <br>- Empowerment, not dependency: Our role is to provide opportunities for children to pursue as individuals, rather than to force our views or values on to the children.<br>- Collaboration, not control: Our staff work alongside the children and their families, so that the beneficiaries are involved in all stages of our programs, rather than simply being recipients of charity. <br>- Massive interventions, not quick-fix solutions: We tackle the problem of poverty from every angle, rather than focusing on one obvious cause or effect. Our interventions may take years, as we persist until we are successful.
+
+
+
+ https://staging.giveth.io/project/PLAN-INTERNATIONAL-ESPANA
+ PLAN INTERNATIONAL ESPANA
+ Plan International Espana is an international development and humanitarian organisation which strives for a just world that advances childrens rights and equality for girls. We focus our action to: - empower women, young and communities to make vital changes that tackle root causes of discrimination, poverty, exclusion and vulnerability; - drive change in practice and policy at local, national and global levels through our experience. - Work with young to prepare for and respond to crises and adversity; - support the safe progression of children from birth to adulthood. Plan International is committed to safeguarding of women and young people. We are an organization that works to defend, promote and protect childrens rights in order to achieve societies that respect the rights of all children and enable them to have a life of dignity and a future full of opportunities. We are currently present in 77 countries around the world and we aim to ensure that our work provides lasting benefits to children, their families and communities. One of our main areas of work is the economic empowerment of youth, especially the most vulnerable adolescents and young people, so that they become resilient, acquire knowledge and skills for employment, have access to job opportunities and actively participate in the development of their professional careers. We develop programs aimed at economic security, through training in employability and entrepreneurship skills. o To this end, we seek the commitment of citizens and institutions, and build partnerships to:<br>o Empower children, young people and their communities to generate lasting change that addresses the causes of discrimination against girls, exclusion and vulnerability.<br>o Drive changes in practice and policy at local, national and international levels through our outreach, experience and knowledge of the realities that children experience.<br>o Support children and their communities in adapting and responding to crises and adversity.<br>o Ensuring the safe and positive development of children from birth to adulthood.<br>For 83 years, its work based on social responsibility and transparency has cemented its reputation for ethical, effective and committed humanitarian aid in each of its projects.<br>Plan International is a Foundation that has been working in Spain since 2010 on programs in Spain aimed at raising awareness and empowering Spanish girls and young women about their rights. In 2012, and as a result of the economic crisis and the transformation it brought to the labor market, Plan International started to implement insertion programs for groups at risk of exclusion.
+
+
+
+ https://staging.giveth.io/project/CROIX-ROUGE-FRANCAISE-(French-Red-Cross)
+ CROIX-ROUGE FRANCAISE (French Red Cross)
+ Mission: Prevent and alleviate every human suffering, article 1 of the statutes of the French Red Cross (FRC) Auxiliary role to the SSA , preamble of the FRC statutes Associative project: Make of our delegations and our establishments places for generosity, solidarity, listening and attention shared by those who show them to those who receive them.
+
+
+
+ https://staging.giveth.io/project/National-Health-Foundation
+ National Health Foundation
+ To improve the health of under-resourced communities.
+
+
+
+ https://staging.giveth.io/project/Manali-Strays
+ Manali Strays
+ Manali Strays was founded to inspire harmony between stray animals and the humans who live with them, reducing human-animal conflict and creating a community that cares for its strays and ensures their continued health and wellbeing.
+
+
+
+ https://staging.giveth.io/project/Moat-House-Primary-School
+ Moat House Primary School
+
+
+
+
+ https://staging.giveth.io/project/Waqful-Waqifin-Foundation-(Gift-of-the-Givers-Foundation)
+ Waqful Waqifin Foundation (Gift of the Givers Foundation)
+ To promote, encourage and project these principles in all its dimensions, within and beyond South Africas borders.<br><br>To benefit all of creation, in keeping with these principles, including service to plant, animal , environment and all of humanity irrespective of race, religion, colour, culture, political affiliation or geographical boundary. This service to be conducted in a non-judgemental manner. <br><br>To uphold the dignity and honour of man, striving to make him self-sufficient and independent at the time of crisis or otherwise; (man refers to both genders where appropriate).<br><br>To be gender sensitive and to take a special interest in the care of children , orphans , women , physically and mentally challenged individuals and the elderly .<br><br>Without derogating from the generality of the aforegoing the activities of the Foundation , inter alia , include:<br>Disaster management and humanitarian aid delivery in crises whether natural or man-made including floods, cyclones, hurricanes, earthquakes , tornado, accidents and war; <br><br>Establishment of medical facilities , clinics and hospitals; Delivery of medicines and medical equipment;<br><br>Establishment of feeding schemes, food parcel delivery and poverty relief programmes including assistance with burial and funeral arrangements, provision of new and used clothing, blankets and baby milk powder;<br><br>Provision of boreholes, waterwells and water purification tablets; <br><br>Provision of free telephonic and face-face counselling services in matters of depression, drug abuse, relationship problems, HIV/AIDS, marital discord, parenting, learning difficulties, teenage problems, child abuse, domestic violence, maintenance grants, etc. ; <br><br>Establishment of Drug Rehab Centres and Havens for the abused; women and children in particular; <br><br>Establishment of orphanages and old age homes; <br><br>Provision of wheelchairs, hearing aids, braille machines and any such equipment and aids to assist physically and mentally challenged individuals; <br><br>Provision of Life Skills training; empowerment counselling and skills in counselling; <br><br>Establishment of skills development programmes, entrepreneul skills and job creation projects; <br><br>Promoting South Africa as a means to encourage tourism, investment and further job creation initiatives; <br><br>Provision of agricultural implements and Farmers Packs (seeds, fertiliser , LAN, etc.) to promote food security and self sustainability; <br><br>Establishment of educational institutions whether religious or secular;<br><br>Provision of bursaries, textbooks, stationery, computers, technology workshops and other educational support;<br><br>Establishment of places of worship including a tekke (meeting place for dervishes or disciples);<br><br>Promotion of peace, tolerance, understanding, love, mercy and inter-faith dialopue between people, communities, cultures and religions; <br><br>Promotion of faith, spirituality and religious awareness ;<br><br>Establishment of community radio, television and media to assist with all the above principles; <br><br>Support of artists who can promote all the above principles through song , writings, etc.
+
+
+
+ https://staging.giveth.io/project/Northampton-Town-FC-Community-Trust
+ Northampton Town FC Community Trust
+ During the year a number of tournaments were held, as well as courses and regular coaching days, including coaching for children with special needs and courses for adults with disabilities.
+
+
+
+ https://staging.giveth.io/project/Global-Fund-for-Community-Foundations
+ Global Fund for Community Foundations
+ The GFCF is a grassroots grantmaker working to promote and support institutions of community philanthropy around the world
+
+
+
+ https://staging.giveth.io/project/PRAJWALA
+ PRAJWALA
+ Prajwala is an anti-trafficking organization working for the welfare of women and children who are victims of commercial sexual exploitation. As prostitution is a form of sexual slavery, Prajwala believes in preventing women and children from entering this trade. Prajwala works with the conviction that, to break the walls of learnt helplessness that a victim of sexual exploitation develops, a multi pronged approach is necessary.
+
+
+
+ https://staging.giveth.io/project/Associacio-Protectora-danimals-dOrdal-(APAO)
+ Associacio Protectora danimals dOrdal (APAO)
+ Apao Sanctuary provides a welcoming home for cats that have nowhere else to turn. We believe all cats have the right to live, whether they are old, disabled, unsociable or positive to leukemia or immunodeficiency virus. We strive to provide a loving home where our feline friends can live out the rest of their lives in comfort.
+
+
+
+ https://staging.giveth.io/project/Sunraysia-Sustainability-Network
+ Sunraysia Sustainability Network
+
+
+
+
+ https://staging.giveth.io/project/The-Society-Library
+ The Society Library
+ The Society Librarys mission is to create a fully intentional, collaborative humanity which functionally negotiates ideological differences in a manner that maximizes freedom in being through access to archived information.
+
+
+
+ https://staging.giveth.io/project/RSACC-(Rape-and-Sexual-Abuse-Counselling-Centre)-Darlington-and-County-Durham
+ RSACC (Rape and Sexual Abuse Counselling Centre) Darlington and County Durham
+
+
+
+
+ https://staging.giveth.io/project/Rosa-Fund
+ Rosa Fund
+ Rosa is a charitable fund set up to support initiatives that benefit women and girls in the UK. Because, while many women and girls here do enjoy freedom of choice and the opportunity for success in their lives, thats simply not true for all. Our vision is of equality and justice for all women and girls in the UK.
+
+
+
+ https://staging.giveth.io/project/Neurodiversity-Education-Research-Center
+ Neurodiversity Education Research Center
+ Neurodiversity Education Research Center is a partner to the neurodivergent community that includes students and their families and opens doors to opportunity through innovative academic and support strategies and partnerships. In our unique, effective learning environment, neurodivergent individuals can build skills and prepare to successfully transition to college and the workforce with the social-emotional resources and networks that help them succeed.<br> <br>Your financial support ensures that students, families, researchers, therapists, and educators have access to resources, connections, and advice that create an environment where neurodivergent individuals have access to quality school and college programs and build careers with the social-emotional resources and networks that help them succeed.
+
+
+
+ https://staging.giveth.io/project/Great-Heart-Charity-Association
+ Great Heart Charity Association
+ Our mission is to be the charity platform to connect contributors, volunteers, and beneficiaries with the end result being making charitable giving a part of everyones life. For contributors, we are here to help the contributors to give charitably and deliver help to their preferred and most needed beneficiaries. For beneficiaries, we aim to provide substantial help to people who are less fortunate, with the goal to assist them to be self-sustained and be able to contribute back to the society. For volunteers, we aim to influence and inspire so that when you think back over your life, you will find that the moments that stood out are moments when you did something to help a person in need.
+
+
+
+ https://staging.giveth.io/project/Rugby-High-School-Academy-Trust
+ Rugby High School Academy Trust
+
+
+
+
+ https://staging.giveth.io/project/Teach-For-BulgariaZaedno-v-chas
+ Teach For BulgariaZaedno v chas
+ Teach For Bulgaria is part of the international Teach For All network, consisting of 43 non-profit organisations with a shared vision of expanding educational opportunity in their countries. The mission of Teach For Bulgaria is to encourage and prepare capable and ambitious young people to become inspiring teachers and leaders in order to facilitate the access to quality education for every child in Bulgaria. Our goal is for every child in Bulgaria to receive a quality education, regardless of region, type of school, or socio-economic situation. Every child in the country should learn from teachers who support their students and help them unleash their full potential. So far since its establishment Teach For Bulgaria has placed more than 160 teachers, reaching more than 10000 students. Currently, 165 motivating teachers are working with 8000 students in 10 regions in Bulgaria.
+
+
+
+ https://staging.giveth.io/project/Centro-de-Compartimiento-AC
+ Centro de Compartimiento, AC
+ Our mission is to foster the growth of women as leaders with strong sense of self and a will to serve others, whose presence in the community will be an example of virtue, values, ethics and spirituality. Our founding principles are based on the belief that communities need all citizens to be active and have a voice. Equality and equity across gender is important and lacking in many communities across Mexico, especially in rural areas. Leaders in communities need to have service to that community as a priority. We believe that everyone should have access to higher levels education despite barriers of poverty and location. We believe that a nurturing, protective and faith-filled environment helps people grow and we encourage women to participate in the faith organization of their choice finding common ground between faith groups. Our goal is to have more women to take on leadership roles in their communities and support them in fostering personal and economic development in their communities. There are many government programs for marginalized communities here in Mexico, but the communities are not well enough organized to take advantage of these opportunities and community leaders more often than not use these opportunities to their own advantage either to political or personal. If communities are better organized they can make better decisions for themselves. The base of this organization is personal development for the community members. Meeting the basic needs of community members is also vital to community growth, it is difficult to grow when all energy is focused on meeting basic needs of families.
+
+
+
+ https://staging.giveth.io/project/Good-Samaritan-Boys-Ranch
+ Good Samaritan Boys Ranch
+ The Good Samaritan Boys Ranch is a 501-c3 non-profit that provides treatment to abused and neglected boys, as well as Transitional services to young men and women preparing to age out of Foster Care. We work to help Any Child, Any Family, Anytime, Anywhere.
+
+
+
+ https://staging.giveth.io/project/QUY-HO-TRO-PHAT-TRIEN-CONG-DONG-SONG-BEN-VUNG
+ QUY HO TRO PHAT TRIEN CONG DONG SONG BEN VUNG
+ Our mission is to build an ecosystem where a combination of three sustainable criteria includes the community, people, and nature and maintain their harmony as well as reciprocity to each other. We are heading towards sustainability with creative and humane actions.<br>By participatory approach, we endeavor to support vulnerable groups to increase their resilience to the effects of natural disasters and climate change.
+
+
+
+ https://staging.giveth.io/project/Patient-Assist-VI-Inc
+ Patient Assist VI, Inc
+ Patient Assist VI, Inc. (PAVI) is a registered 501(c)(3) nonprofit organization (Tax ID 66-0793071) whose mission is to help patients attain prescription drug medications that would otherwise be unattainable due to income limitations.
+
+
+
+ https://staging.giveth.io/project/Pathways-to-Education-Canada
+ Pathways to Education Canada
+ For youth in low-income communities, Pathways to Education provides the resources and network of support to graduate from high school and build the foundation for a successful future.
+
+
+
+ https://staging.giveth.io/project/Zartonk-89
+ Zartonk-89
+ Our mission is to improve the lives and protect the rights of orphaned, needy, and refugee children, teenagers and youth in Armenia.
+
+
+
+ https://staging.giveth.io/project/Indlela-Mental-Health
+ Indlela Mental Health
+ MISSION<br>To create a dynamic movement that promotes mental wellbeing and resilience in the Eastern Cape. We facilitate training, skills development and community driven support networks that unlock local resources and inspire innovation amongst learning partners. We further advocate for inclusion and rights protection of people with intellectual and psycho-social disabilities.<br><br>PRINCIPLES<br>PEMH has come a long way, emerging, as did many other traditional welfare organisations, from a model that served an exclusive minority within the population (in particular those from the White minority population) using a top down medical approach aimed at correcting what were seen as deviations from the norm in society.<br><br>Today, PEMH has turned this model on its head. The following PEMH principles demonstrates this philosophy:<br><br>Our First Principle is Integration: it is both necessary and possible to integrate people with disabilities (PWD) into mainstream society and community contexts. About one in ten can be classified as living with disabilities: people who have been and often continue to be hidden in dark rooms, shamed, scorned and excluded by the rest of society. Our aim is to integrate into society PWD, in this case, those with intellectual disabilities in accordance with the most advanced international frameworks.<br><br>Our Second Principle is Recognition of Potential: we make a key assumption that each and every individual has the potential to grow into the best that they can possibly be. As such, we do not judge or pigeon-hole people, thus limiting their inherent creativity and capacity to develop.<br><br>Our Third Principle is Outreach: PEMH strives to reach out to the most marginalised and disempowered sectors of our society by promoting mental wellbeing in communities that have the least access to opportunities and resources. <br><br>Our Fourth Principle is the Centrality of a Developmental Approach: whereby each beneficiary, his or her immediate family and community are placed at the centre of this development process. Welfare handouts or processes may have some place, but we try to minimise this, providing as we do the space for agency: for beneficiaries and communities to take the initiative, to lead, to take responsibility for their own development path. <br><br>Our Fifth Principle is Unlocking Assets: PEMH recognises that embedded in local communities is a wealth of - often hidden - assets, be these resilient community networks, valuable cultural practices and knowledge, practical skills and talents, as well as material resources. These assets are often hidden, or at least, not immediately apparent to those involved. PEMH strives to assist our beneficiaries to identify and unlock these assets, with a view to taking charge of their lives and destiny wherever possible. <br><br>Our Sixth Principle is Excellence: PEMH sees itself as a centre of excellence and innovation, capable of piloting exciting new paths and breaking down old barriers in the sector.
+
+
+
+ https://staging.giveth.io/project/Psicologia-y-Derechos-Humanos-PSYDEH-AC
+ Psicologia y Derechos Humanos PSYDEH AC
+ Ground up, experiential education - that is equity-centered, human rights-based, process-oriented, and relationship-driven - leads to empowered women and communities organizing to sustainably develop the areas in which they live.
+
+
+
+ https://staging.giveth.io/project/TD-Jakes-Foundation
+ TD Jakes Foundation
+ To be the BRIDGE connecting underrepresented and underserved communities to life-changing opportunities.
+
+
+
+ https://staging.giveth.io/project/The-Community-Foundation-for-Greater-Atlanta-Inc
+ The Community Foundation for Greater Atlanta, Inc
+ The mission of the Community Foundation for Greater Atlanta is to inspire and lead our region toward equity and shared prosperity for all.
+
+
+
+ https://staging.giveth.io/project/2535-Water
+ 2535 Water
+ 2535 Water is ending the water crisis in Uganda, Africa! We provide clean water to rural villages, so that Ugandan children can stay healthy, go to school, and be kids!
+
+
+
+ https://staging.giveth.io/project/Episcopal-Community-Services-of-the-Diocese-of-Pennsylvania
+ Episcopal Community Services of the Diocese of Pennsylvania
+ At Episcopal Community Services our mission is to challenge and reduce intergenerational poverty. We increase the ability of people to improve their lives and achieve economic independence. We call upon every person to participate in sustainable, positive change for our communities. We empower individuals and families struggling with poverty to determine and follow their own paths. We envision a world where the path to prosperity is available to all.<br><br>The core values are: DIGNITY, JUSTICE, COMMUNITY, IMPACT<br>We condemn racism and inequality. We call for justice to be administered fairly and equitably for all in our society.
+
+
+
+ https://staging.giveth.io/project/Apm-Emei-Cleomar-Baptista-Dos-Santos
+ Apm Emei Cleomar Baptista Dos Santos
+
+
+
+
+ https://staging.giveth.io/project/Solar-Team-vzw
+ Solar Team vzw
+
+
+
+
+ https://staging.giveth.io/project/Arizona-Community-Foundation
+ Arizona Community Foundation
+ Lead, serve, and collaborate to mobilize enduring philanthropy for a better Arizona.. Most donors are individuals in Arizona
+
+
+
+ https://staging.giveth.io/project/Thomas-More-Mechelen-Antwerpen-VZW:-Formula-Electric-Belgium
+ Thomas More Mechelen-Antwerpen VZW: Formula Electric Belgium
+ .
+
+
+
+ https://staging.giveth.io/project/VZW-Borgerstein
+ VZW Borgerstein
+
+
+
+
+ https://staging.giveth.io/project/sitawi
+ sitawi
+ Sitawis mission is to develop financial infrastructure for the social sector in Brazil. We believe that adequate funding and effective counseling strengthen social organizations and increase their impact on the causes and beneficiaries.<br>In the long run, the more resources - in volume and forms - available to the social sector, the more encouragement social leaders have to develop more innovative and sustainable models with greater impact. And sooner we will build a better country.
+
+
+
+ https://staging.giveth.io/project/Gorichka
+ Gorichka
+ Research, protection, restoration and conservation of biological diversity and its elements, as well as other components of the environment; Informing the public about the current state of biological diversity and its elements, as well as the other components of the environment; Informing the public and popularizing the existing methods and means for sustainable development and environmental protection; Formation of environmentally friendly and nature protection culture of broad sections of the population and their inclusion in voluntary activities for environmental protection; Building an effective system for voluntary public control over compliance with Bulgarian and international environmental legislation; Establishing contacts and cooperation with similar organizations in the country and abroad.
+
+
+
+ https://staging.giveth.io/project/Tikondane-Community-Centre
+ Tikondane Community Centre
+ Tiko is a non-profit, non-political, inter-denominational organization. Our mission is to fight poverty in Katete through better education, health and entrepreneurship; helping people help themselves while maintaining their traditional culture and values
+
+
+
+ https://staging.giveth.io/project/School-of-arts-for-unprivileged-children-Dedal
+ School of arts for unprivileged children Dedal
+ The aim of Dedal has been to establish an art centre where children from disadvantaged backgrounds can overcome social isolation by developing their skills and talents. Dedal provides free classes in the art and sciences for children from orphanages, single-parent families, and foster families, as well as for children with minor disabilities. In addition to free access, the centre provides the diverse social environment necessary for promoting social integration. During their regular visits to Dedal, children work actively with professional artists and build lasting friendships with kids from diverse family backgrounds. Apart from participating in classes, the children enjoy multiple opportunities to present their achievements at public exhibitions. In addition to the associations prominent role as a diver of cultural and social development, and its political independence, Dedal is made unique by the voluntary service of all of its staff members
+
+
+
+ https://staging.giveth.io/project/Vzemi-me-vkushti-Foundation
+ Vzemi me vkushti Foundation
+ The upraising problem with stray animals (dogs and cats) in Bulgaria actually exists for long years, but in the last few decades escalated significantly and caused social tension that endangers to confront people to animals in particularly unacceptable way. <br><br>The population of homeless dogs is generally a result of human neglect towards domestic animals - irresponsible breeding and abandonment. The lack of institutional and public control was one of the main reasons for the situation. <br>The state and local authorities for many years have taken hesitant and inconsistent measures in governing the problem.<br>In the past years (the early 2000s) some outrageous, inhuman initiatives of the local municipal authorities led to mass slaughter of stray dogs. The "measures" have not demonstrated any stable results in solving the problem but caused huge negative response among both local and international animal friends community and media. <br>Following the Bulgarian entry in the European Union and the enactment of the present Animal Protection Law in 2008, the "Trap-Neuter-Release" method that has proven to be both effective and humane in many countries, was applied and nowadays brings expected results at controlling stray dogs population growth. <br><br>Alongside with this, local shelters (municipal and governed by NGOs) are overcrowded and for great number of already neutered and vaccinated dogs, the city streets are the only home available. Insecurity, malnutrition, health issues, human aggression and cruelty are the life-threatening companions of the homeless animals that rarely reach mature age. <br><br><br>The mission of the "Vzemi me vkushti" (Take me Home) Foundation is the life improvement of homeless dogs and cats. To achieve this aim, the campaign works in two main directions:<br>- To improve the attitudes towards the animals that live on the streets by convincing people that when treated with respect, these animals are safe for the society;<br>- To find home for as many actual homeless dogs and cats as possible by bringing out the understanding that those are adorable potential pets - affectionate, intelligent and successfully domesticated. <br><br>Supported by their friends and allies, the campaign team strives to change the attitudes towards the unwanted animals by bringing them out of anonymity and giving them a chance to find good and safe home. <br><br>The campaign shows cats and dogs available for adoption with their pictures and detailed information about their temper, habits and actual health condition.<br><br>The strict procedure for the adopters selection includes completed questionnaires, personal meetings with the candidates and final decision made together with the animal guardian (the person that provides temporary shelter and care, usually the one that saved it from the streets and that looks for lifelong home for it).<br><br>"Vzemi me vkushti" Foundation, encouraged by the successful record of its adoption initiative, has ambitious plans for the promotion of the cause for responsible and caring treatment towards the animals - homeless and domestic. <br><br>Vzemi me vkushti" Foundation seeks for donors and sponsors support for its projects - educational, informational, cultural, sports and entertainment initiatives that will spread the cause of animal welfare even more widely and will remind people the important role of the animals as loyal and loving friends.<br><br>"Vzemi me vkushti" Foundation follows a policy of financial transparency in accordance with its "Foundations Act" and "Rules and Regulations of the charity activities". <br>The Foundation cannot distribute profit. <br>The accumulated financial reserve can be used solely for the activities, stated in the "Foundations Act".
+
+
+
+ https://staging.giveth.io/project/German-Red-Cross-Deutsches-Rotes-Kreuz
+ German Red Cross Deutsches Rotes Kreuz
+ The humanitarian aid of the German Red Cross knows no boundaries. No matter where our help is needed: Whether there are floods, earthquakes, famines, epidemics or armed conflicts - we will help those in need. Thanks to your support we can help immediately when the need arises - in Germany and in the whole world.<br><br>When hurricane Idai hit Mozambique in March 2019, when the explosion occured in Beiruts harbour in August 2020 or when floods hit Germany in Summer 2021, leaving thousands or millions of people homeless, we started our emergency relief operation within 24 hours. We provide fast emergency assistance by supplying water filters, hygiene kits, medicine, tools, food or cash grants. But we also support people in the long term with health, shelter, reconstruction projects and preparation trainings.<br><br>Besides emergency relief, it is our objective to sustainably strengthen people and structures so that they are better prepared for crises. Disaster preparedness exercises, an early warning system, a functioning rescue service all these factors can save lives when, for example, the next flood or a cyclone approaches. In long term development cooperation, disaster preparedness, health, nutrition, water, hygiene and securing livelihoods are paramount.
+
+
+
+ https://staging.giveth.io/project/action-medeor-International-Healthcare-gGmbH
+ action medeor International Healthcare gGmbH
+ The corporate objective and purpose of the action medeor International Healthcare gGmbH consists of providing development aid and contributing towards understanding among nations.<br><br>The Company provides development aid in the countries of Africa, South and Latin America, Asia and Oceania, in all fields of healthcare, particularly:<br><br>a)<br>by creating understanding for the situation of people in the said countries.<br><br>b)<br>by dispatching free of charge medicines or medical appliances and consumables to health facilities, benefitting people in need. <br><br>c)<br>by having produced or by purchasing worldwide medicines, medical appliances or consumables and by dispatching them to the distribution depots, hospitals, care units or physicians in the said countries in consideration of a fee which covers the Companys expenses.<br><br>d)<br>by making available pharmaceutical or medical expert advice to distribution depots, hospitals, care units or physicians in the said countries in consideration of a fee covering the Companys expenses.<br><br>The objective of pharmaceutical and medical expert advice consists of enabling pharmaceutical enterprises to have drugs examined and analysed for their pharmaceutical quality. Futhermore, we offer consultation as a competent partner of pharmaceutical and medical expert knowledge with relevant experience as regards the manufacture of drugs and their use.
+
+
+
+ https://staging.giveth.io/project/Charitable-Organization-International-Charitable-foundation-Social-projects-center-of-future
+ Charitable Organization International Charitable foundation Social projects center of future
+ The mission of the Fund is to carry out charitable activities in the interests of society, namely the provision of material assistance in accordance with current legislation of Ukraine to improve the lives of the population, develop quality of medical and educational services at all levels, implementation of charitable programs in accordance with the Funds activities.
+
+
+
+ https://staging.giveth.io/project/Watersheds-Canada
+ Watersheds Canada
+ For over 20 years, Watersheds Canada has worked with landowners, community groups, and freshwater stakeholders across the country to develop, pilot, and deliver freshwater stewardship programs. By engaging and empowering others, we are ensuring Canadas lakes, rivers, and shorelines are healthy, beautiful, and available for future generations, both human and wildlife. We are committed to providing programs to communities across the country that work to engage and help shoreline owners enhance and protect the health of lakes and rivers.<br><br>Watersheds Canada believes that Every Shoreline Matters. Every Action Counts. The organization has long understood that in order to create the greatest impact on on the health of our lakes and rivers, it must actively train, share resources, and help others across Canada understand what contributions they can make. For property owners, waterfront associations, and organizations concerned with the health of their lakes, rivers, and waterfront properties, Watersheds Canada provides practical and proven ways to restore deteriorating shoreline conditions and improve water quality over the long-term. Through this approach, people are then better able to share that same expertise with others in their communities.<br><br>Watersheds Canada is a federally incorporated non-profit organization and registered Canadian charity that operates through the following core tenets in its work: <br><br>*Our Vision<br>People are engaged and caring for clean, healthy lakes and rivers that sustain humans and wildlife for years to come.<br><br>*Our Mission<br>In partnership with others, Watersheds Canada protects and restores freshwater through the development and delivery of adaptive and resilient solutions and programs.<br><br>*Our Values<br>We love our lakes and rivers, and work to support the health and beauty of our freshwater by embracing the following values:<br><br>Integrity & Accountability<br>We meet our deliverables by transforming action into results with an honest, reliable, positive and professional attitude.<br><br>Inclusivity & Respect<br>We thrive when working with others of all backgrounds, taking into account the uniqueness of each partnership.<br><br>Innovation & Sustainability<br>We continually adapt and improve our programs to ensure long-term benefits while considering not only the environment, but also the economy and society.<br><br>Community & Collaboration<br>We support and encourage the development of others within the environmental field by sharing our resources, including, knowledge, expertise, lessons learned, and fundraising successes.<br><br>Niche<br>Our work depends on partnerships at lake, river and watershed levels, ensuring that our programs are focused and offer real service.<br><br>Our work is grounded in the local knowledge and efforts of our community partners.<br><br>We add value to partnerships and local knowledge by linking with science and other expertise, sharing best practices, offering training, and providing logistical support.
+
+
+
+ https://staging.giveth.io/project/Charity-Foundation-Change-One-Life-Ukraine
+ Charity Foundation Change One Life Ukraine
+ The mission of our Charity Foundation is to help the Ukrainian orphans be ensured with happy families through creating video profiles of orphans, using them on TV and its website. Also, the Fund conducts training webinars for adoptive parents, online psychological counseling, courses for adoptive parents, writes articles on adoption and education of children with orphanages.
+
+
+
+ https://staging.giveth.io/project/Lunar-Startups
+ Lunar Startups
+ Lunar Startups is on a mission to create more equitable entrepreneurial ecosystems by providing education, support, and connectivity to leaders who identify as Black, Indigenous, People of Color (BIPOC), LGBTQ+, women, and nonbinary.<br><br>The three key ingredients to success for all entrepreneurs are social capital, inspiration capital, and financial capital. Yet in our region and beyond, under-invested founders lack access to all three types of capital. Lunar aspires to be a critical systems change agent that is disrupting the status quo, shifting mindsets, and demystifying pathways to scale for all entrepreneurs.
+
+
+
+ https://staging.giveth.io/project/Teach-First-Danmark
+ Teach First Danmark
+ Teach First Denmark is a non-profit association founded in 2013<br>We work to give children in Denmark the opportunity to<br>get an education, regardless of social background.<br>We do this by engaging even more skilled teachers for the primary schools and students who need them the most.<br>Our two-year program is a career in elementary school and in education. It is a community for people who want to contribute to strengthening the future opportunities for all children in Denmark.<br>We work closely with primary schools, vocational colleges, municipalities and foundations.<br>We are independent of political, economic and religious interests and are financed by foundation funds for non-profit purposes.<br><br>A society where no children and young people are excluded from the communities<br>Teach First Denmark works for a society where all children and young people have the opportunity to develop their full potential, for the benefit of themselves and the community.<br>We mobilize civil society in the belief that positive change is created by engaging and uniting people who want to be something for someone and who want to contribute to the community.<br>We are present where the need is greatest, and we always have the childrens interests at the center of what we do.<br>We emphasize building our activities around a broad collaboration, because we are never the whole solution, and because together we can see more nuances and create greater changes.<br>More skilled teachers at primary schools with a large proportion of vulnerable pupils<br>A program that attracts the brightest and most motivated university candidates with the talent to motivate and learn from them in primary school.<br>A thorough selection of candidates who have the potential to become skilled teachers and who, in the long term, can also create solutions in a career outside primary school.<br>More professionally skilled and well-connected teachers, not least in vulnerable residential areas.<br>A strong community and network of graduates who support and inspire each other.<br>A steep learning curve through a close link between theory and practice and feedback from a teaching mentor.
+
+
+
+ https://staging.giveth.io/project/Odessa-Charity-Foundation-Way-Home
+ Odessa Charity Foundation Way Home
+ Helping a person in complicated circumstances, especially a child, on his/her way to overcoming his/her problems and to receiving the vision of own opportunities in the society.<br>Priority area of Funds activities is work with children and young people from disadvantaged families, as well as from internally displaced persons families from the East of Ukraine. <br>The main directions of activities of OCF "The Way Home":<br>- Social security of initial everyday needs of people in complicated circumstances <br>- Care and patronage for children and young people in complicated circumstances<br>- Complex of services for children and young people in complicated circumstances: social and educational development <br>- Psychological and educational support for parents in complicated circumstances <br>- Social patronage for people, who are in socially dangerous diseases risk groups: prevention, diagnostics, care and support.
+
+
+
+ https://staging.giveth.io/project/Church-of-the-King-Inc
+ Church of the King, Inc
+ Church of the King has six core values that guide us in all we do. These values keep us aligned with God’s plan and purpose, and the mission He gave us of Reaching People and Building Lives.
+
+
+
+ https://staging.giveth.io/project/Wall-Street-Bound
+ Wall Street Bound
+ Our mission is to provide urban young adults with the skills, experience, and social capital that empower them to reach their full potential through “front office” financial service careers.
+
+
+
+ https://staging.giveth.io/project/Animal-Rescue-Corps-Inc
+ Animal Rescue Corps, Inc
+ Animal Rescue Corps’ mission is to end animal suffering through direct and compassionate action and to inspire the highest ethical standards of humanity towards animals. <br><br>Animal Rescue Corps (ARC) is a national nonprofit animal protection organization that takes direct action in three ways: 1) we conduct large-scale emergency rescues of animals who fall victim to cruelty, abuse, neglect, and disaster, 2) we offer interventions to move high-risk and at-need animals from low-adoption shelters into high-adoption regions, and 3) we raise public awareness of animal suffering through education and offer training.
+
+
+
+ https://staging.giveth.io/project/Chazaq-Organization-USA
+ Chazaq Organization USA
+ Since 2006, Chazaq has become a leading force in inspiring tens of thousands of people every single year. <br><br>From children to teens, singles to couples, millennials to baby boomers, and cherished seniors, CHAZAQ touches every segment of the population. <br><br>One of Chazaqs main missions is offering fun and educational after-school programs for Jewish public schools students of all ages with a special emphasis on keeping teens off the streets, away from trouble and help them reach their fullest potential. <br><br>Chazaqs mission is domestic and global, focusing on sparking the love of the Jewish heritage through education in communities near and far.
+
+
+
+ https://staging.giveth.io/project/Segel-Club-Breitbrunn-Chiemsee-(SCBC)-eV
+ Segel-Club Breitbrunn-Chiemsee (SCBC) eV
+ Since 1978 the sailing club Breitbrunn-Chiemsee (SCBC) e.V. has been an association for sailing enthusiasts or those who want to become one. With our award-winning youth work, we try to introduce young people to sailing and then promote them as best we can. We also organize regattas on a regular basis, which are not only fun, but also help sailors get ahead in terms of sport. We also offer our adult members the opportunity to learn to sail in special courses up to the point of acquiring a sports boat license.<br><br>In terms of sport, the SCBC club life has always been characterized by a high level. The lively and successful participation of his sailors in countless races on the home territory, as well as in well-known regattas at home and abroad, are the reasons for this. Today the sailing club Breitbrunn-Chiemsee (SCBC) e.V. has 340 members, including numerous children and youth members.
+
+
+
+ https://staging.giveth.io/project/Village-Enterprise-Fund-Inc
+ Village Enterprise Fund Inc
+ Village Enterprises mission is to end extreme poverty in rural Africa through entrepreneurship and innovation.
+
+
+
+ https://staging.giveth.io/project/Verein-der-Freunde-und-Foerderer-des-Berufsbildungszentrums-des-Kreises-Neuss-in-Grevenbroich
+ Verein der Freunde und Foerderer des Berufsbildungszentrums des Kreises Neuss in Grevenbroich
+ The non-profit organisation "Verein der Freunde und Forderer des Berufsbildungszentrums des Kreises Neuss in Grevenbroich e.V." is linked to the BBZ since 1994 and supports the school in many ways to improve the educational situation of the pupils, especially those with lower educational and disadvantaged backgrounds. Its main task is to raise funding to support projects within the BBZ, as the school itself is not allowed to receive external fundings. At present, 10 companies and about 50 private individuals are members of the association.<br><br>Current or recently completed projects include:<br><br>- Financial support for the staging of a theater play as part of AIDS prevention in the lower grades of the secondary commercial school<br>- Label printer for the production of pupil ID cards<br>- Electric vehicle for training in the automotive laboratory<br>- Contribution to costs for the self-study center
+
+
+
+ https://staging.giveth.io/project/Prizmah:-Center-for-Jewish-Day-Schools
+ Prizmah: Center for Jewish Day Schools
+ Prizmah: Center for Jewish Day Schools strengthens the North American day school field. We are the network for Jewish day schools and yeshivas, enhancing their ability to excel and thrive, by deepening talent, catalyzing resources, and accelerating educational innovation.
+
+
+
+ https://staging.giveth.io/project/Starfish-Foundation
+ Starfish Foundation
+ The aim of Starfish Foundation is to provide help to migrants and refugees, especially the most vulnerable including women, children, and unaccompanied minors, who have arrived on Lesvos in what has been called the greatest movement of people and the most serious humanitarian crisis since World War II. Starfish Foundation also aims to help the local community which is suffering from the economic crisis and a decline in tourism.
+
+
+
+ https://staging.giveth.io/project/Social-Development-Organization-Nepal
+ Social Development Organization Nepal
+ Social Development Organization Nepal is a non-profit, people welfare social organization which aims to empower poor and helpless children, women and marginalized castes and groups.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Calidad-de-Vida
+ Asociacion Calidad de Vida
+
+
+
+
+ https://staging.giveth.io/project/Educational-Volunteers-Foundation-of-Turkey-(TEGV)
+ Educational Volunteers Foundation of Turkey (TEGV)
+ The objective of Educational Volunteers is to create and implement educational programs and extracurricular activities for children aged 6-14, so that they can acquire skills, knowledge and attitudes supporting their development as rational, responsible, self-confident, peaceable, inquisitive, cognizant, creative individuals, who are against any kind of discrimination, respect diversity and are committed to the basic principles of the Turkish Republic. TEGV implements unique educational programs, with the support of its volunteers, in the Education Parks, Learning Units, Firefly Mobile Learning Units, City Representative Offices and in primary schools through the "Support for Social Activities Protocol," established with the Ministry of Education.
+
+
+
+ https://staging.giveth.io/project/We-Need-Books
+ We Need Books
+ To build an inclusive community, spark imagination and empower refugees and migrants to choose their paths in life by providing access to knowledge in a space that feels like home.
+
+
+
+ https://staging.giveth.io/project/TURK-EGITIM-VAKFI-(TEV)
+ TURK EGITIM VAKFI (TEV)
+ Our mission is to support successful university students of METU whose families are poor.
+
+
+
+ https://staging.giveth.io/project/Applied-Environmental-Research-Foundation(AERF)
+ Applied Environmental Research Foundation(AERF)
+ AERFs mission is to achieve conservation on the ground through research and multi-stakeholder participation in the biodiversity hotspot of India
+
+
+
+ https://staging.giveth.io/project/INTERNATIONAL-CHARITY-FUND-UKRAINE-I-AM-FOR-YOU
+ INTERNATIONAL CHARITY FUND UKRAINE I AM FOR YOU
+ Our mission: <br><br>We are active citizens of Ukraine that promote socially responsible society, realizing charitable and social projects. The main goal of the Foundation is selfless charity work in the public interest or certain categories of citizens, which is aimed at providing moral, material and financial assistance to the beneficiaries according to defined areas of activity.
+
+
+
+ https://staging.giveth.io/project/First-Stop-Darlington
+ First Stop Darlington
+ First Stop Darlington is a local charity working with people who are homeless, at risk of homelessness and those who are chronically excluded, by providing a wide range of support, activities and training to help people realise their potential, improve their outcomes and outlook and support them in their journey to independence.
+
+
+
+ https://staging.giveth.io/project/Swim-Drink-Fish-Canada
+ Swim Drink Fish Canada
+
+
+
+
+ https://staging.giveth.io/project/Humane-Canada
+ Humane Canada
+ Humane Canada (Formerly known as The Canadian Federation of Humane Societies) is the national organization representing Humane Societies and SPCAs in Canada. We bring together those who work with and care for animals to promote respect and humane treatment toward all animals.<br><br>Our vision is our long term desired outcome for our organization and for animal welfare in Canada. Our mission guides our actions and defines our approach to move towards that vision. Our values are the principles and approaches with which we do our work.
+
+
+
+ https://staging.giveth.io/project/Aura-Freedom-International
+ Aura Freedom International
+ Our vision is a world in which all women and girls live free from violence.<br><br>Created in the name of gender equality, Aura Freedom is a grassroots womens organization that works to eradicate violence against women and human trafficking through advocacy and education. We work with a diverse group of allies to achieve our goals.
+
+
+
+ https://staging.giveth.io/project/The-Opentree-Foundation
+ The Opentree Foundation
+ To address developmental needs in children through games, toys, and play
+
+
+
+ https://staging.giveth.io/project/Les-Amis-de-la-Saint-Camille
+ Les Amis de la Saint-Camille
+ We are a Canadian Non-Governmental Organization formed by a small group of Quebecer volunteers (Les Amis de la Saint-Camille) committed since 2001 to support the work of our African partner. Through fundraising, research, sending medical equipment and medicine, presenting projects to international cooperation organizations, sending trainees and trainers, etc., we are trying to develop networks of mutual assistance and cooperation in countries where our partner gives services. Our membership: more than 1,800 persons.
+
+
+
+ https://staging.giveth.io/project/Light-House-Sustainability-Society
+ Light House Sustainability Society
+ Light Houses mission is to create regenerative built environments that nurture ecological and human health.
+
+
+
+ https://staging.giveth.io/project/Tropical-Institute-of-Ecological-Sciences
+ Tropical Institute of Ecological Sciences
+ To create an environmentally responsible community, through research, environmental education, capacity building and community participation blending traditional and modern scientific knowledge.
+
+
+
+ https://staging.giveth.io/project/Indian-Residential-School-Survivors-Society
+ Indian Residential School Survivors Society
+ Mission<br>We at Indian Residential School Survivor Society (IRSSS) strive to provide physical, emotional, intellectual, spiritual growth, development, and healing through culturally-based values and guiding principles for Survivors, Families, and Communities.<br><br>Mandate<br>To assist First Nation Peoples in British Columbia to recognize and be holistically empowered from the primary and generational effect of the Residential Schools by supporting research, education, awareness, partnerships, and advocating for justice and healing. The Society assists Survivors with counselling, court support, information, referrals, workshops, and more.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Saskatoon-and-Area
+ United Way of Saskatoon and Area
+
+
+
+
+ https://staging.giveth.io/project/Help-Bolivia-Foundation
+ Help Bolivia Foundation
+ To relieve poverty in Bolivia by providing programs that deliver education, counselling and nutrition to underprivileged children as well as skills training to underprivileged women and youth.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Trust-of-India
+ Wildlife Trust of India
+ Conserve nature, especially endangered species and threatened habitats, in partnership with communities and governments.
+
+
+
+ https://staging.giveth.io/project/Traffic-Injury-Research-Foundation-of-Canada
+ Traffic Injury Research Foundation of Canada
+ The vision of the Traffic Injury Research Foundation (TIRF) is to ensure people using roads make it home safely every day by eliminating road deaths, serious injuries and their social costs. <br>TIRFs mission is to be the knowledge source for safe road users and a world leader in research, program and policy development, evaluation, and knowledge transfer.
+
+
+
+ https://staging.giveth.io/project/Sea-Shepherd-Conservation-Society
+ Sea Shepherd Conservation Society
+ Sea Shepherd Conservation Society is an international non-profit with a worldwide presence and a mission to protect all marine animals.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Fajar-Sejahtera-Indonesia-(YAFSI)
+ Yayasan Fajar Sejahtera Indonesia (YAFSI)
+ 1. Improving the quality of human resources as actors and beneficiaries of social welfare development<br>2. Improving the role of the community and corporate social responsibility in the implementation of social welfare<br>3. Improving basic services and social welfare services
+
+
+
+ https://staging.giveth.io/project/The-Longmont-Community-Foundation
+ The Longmont Community Foundation
+ Improving life for all through philanthropy and charitable leadership
+
+
+
+ https://staging.giveth.io/project/Freedomhouse-OC
+ Freedomhouse OC
+ Changing our World one life at a time.
+
+
+
+ https://staging.giveth.io/project/Yayasan-LBH-APIK-Jakarta-(Jakarta-Legal-Aid-For-Women-and-Children)
+ Yayasan LBH APIK Jakarta (Jakarta Legal Aid For Women and Children)
+ 1. To provide legal aid for justice seeking women<br>2. To reform the legal system in substance, structural, and cultural levels<br>3. To build a social movement to provide justice for every woman
+
+
+
+ https://staging.giveth.io/project/Yayasan-Rumah-Zakat-Indonesia
+ Yayasan Rumah Zakat Indonesia
+ 1. To actively participate in building international philanthropy network<br>2. To facilitate society independence<br>3. To optimize all related aspect of resources through human excellence
+
+
+
+ https://staging.giveth.io/project/Yayasan-Wahana-Visi-Indonesia
+ Yayasan Wahana Visi Indonesia
+ Our vision for every child life in all its fullness,<br>Our prayer for every heart, the will to make it so
+
+
+
+ https://staging.giveth.io/project/Black-Women-in-Blockchain-Inc
+ Black Women in Blockchain Inc
+ Black Women In Blockchain is dedicated to fostering inclusion and representation in the blockchain industry. We are committed to empowering Black women through comprehensive training, mentorship, networking opportunities, and visibility programs. Our goal is to provide access to capital and resources, nurturing an environment where Black women can thrive, innovate, and lead in the blockchain sphere. We align our initiatives with five of the United Nations’ Sustainable Development Goals.
+
+
+
+ https://staging.giveth.io/project/St-Brigids-Infant-National-School
+ St Brigids Infant National School
+
+
+
+
+ https://staging.giveth.io/project/BridgIT-Water-Foundation
+ BridgIT Water Foundation
+ BridgITs Program objective is to provide improved drinking water to rural areas in developing countries. This is achieved by delivering suitable, accessible and sustainable water solutions closer within each rural community relieving the economic and health burdens of searching long distances for long periods of time to collect water from open contaminated and often dangerous sources.
+
+
+
+ https://staging.giveth.io/project/Ardoch
+ Ardoch
+ Ardoch Youth Foundation is a charity that provides education support for children and young people in disadvantaged communities.
+
+
+
+ https://staging.giveth.io/project/Al-Mustafa-Welfare-Society
+ Al-Mustafa Welfare Society
+ Our mission is to work in the fields of health, education and social welfare services, especially for the neglected and low income group of our society, raise their standards of living and help them to become a productive and honorable part of the society.
+
+
+
+ https://staging.giveth.io/project/Association-of-Related-Churches
+ Association of Related Churches
+ We exist to see a thriving church in every community, reaching people with the message of Jesus.
+
+
+
+ https://staging.giveth.io/project/Climate-Change-Network-for-Community-Based-Initiatives-Inc
+ Climate Change Network for Community-Based Initiatives, Inc
+ CCNCI aims to contribute to the empowerment of vulnerable sectors and communities in facing the impacts of climate change and asserting climate justice in order to attain a prosperous, equitable, sustainable, and resilient society.
+
+
+
+ https://staging.giveth.io/project/Fedujazz-(Educational-Foundation-Dominican-Republic-Jazz-Festival-)
+ Fedujazz (Educational Foundation Dominican Republic Jazz Festival )
+ FEDUJAZZ is a non-profit foundation providing free music education to youth of the Dominican Republic.
+
+
+
+ https://staging.giveth.io/project/The-University-of-Alabama
+ The University of Alabama
+ We are dedicated to excellence in teaching, research and service. We provide a robust campus environment where our students can reach their greatest potential while learning from the best and brightest faculty and making a positive difference in the community, the state and the world.
+
+
+
+ https://staging.giveth.io/project/Sai-Educational-Rural-Urban-Development-Society-(SERUDS)
+ Sai Educational Rural Urban Development Society (SERUDS)
+ The Mission of SERUDS is to promote socio, economic, health, education and culture through participatory approach focusing children, adolescents and women, who are being deprived and oppressed in the society.<br>VIsion:<br>The vision of SERUDS is to mitigate the sufferings, turmoil, trails & tribulations of deprived and downtrodden sections of the society to ensure equity, empowerment and justice.
+
+
+
+ https://staging.giveth.io/project/Womens-Technology-Empowerment-Centre-(WTEC)
+ Womens Technology Empowerment Centre (WTEC)
+ To educate, connect and empower Nigerian women through active engagement with information and communication technology via training, mentoring and research.
+
+
+
+ https://staging.giveth.io/project/Shaishav-Child-Rights
+ Shaishav Child Rights
+ Shaishav envisions the creation of a society where each child achieves the potential she or he is born with, becomes independent, and contributes to the holistic and sustainable development of a world that is just, peaceful, and humane.<br><br>We believe that all children should enjoy basic rights and experience the joys of childhood equally; that all children should become productive, socially sensitive, and democratically skilled citizens.<br><br>Shaishav strives to:<br> Ensure that all children achieve the basic right to free and compulsory education<br> Create a child centred environment and provide opportunities where children and youth can realise their basic rights<br> Develop learning resources for children and make them available to all those who can influence childrens holistic development
+
+
+
+ https://staging.giveth.io/project/Vijana-Amani-Pamoja-(VAP)
+ Vijana Amani Pamoja (VAP)
+ To integrate social and economic values through football/soccer by creating a proactive health environment.
+
+
+
+ https://staging.giveth.io/project/Impulsar-Proyectar-Tigre
+ Impulsar Proyectar Tigre
+ Our work is dedicated to leaving a better planet for our children and better children for our planet.<br>Through association with collaborators, we seek to work on innovative projects that reestablish the balance of threatened ecosystems and vulnerable communities.
+
+
+
+ https://staging.giveth.io/project/SOS-Childrens-Villages-Bulgaria-Association
+ SOS Childrens Villages Bulgaria Association
+ We build families for children in need. We prevent families from falling apart. We help children shape their own futures and we share in the development of their communities.
+
+
+
+ https://staging.giveth.io/project/Diocese-of-Marquette
+ Diocese of Marquette
+ We, the Diocese of Marquette, united in Word and Sacrament and in communion with the universal Catholic Church, witness to and proclaim the Good News of Jesus Christ for all people in the Upper Peninsula.
+
+
+
+ https://staging.giveth.io/project/C3-NYC
+ C3 NYC
+ Church is for you. Community is a bedrock that strengthens and grows your faith, a place to be authentic and sharpened as a follower of Jesus in our modern world. Join us this year for a journey of spiritual formation as we live out God’s love for our cities.
+
+
+
+ https://staging.giveth.io/project/EntreMundos
+ EntreMundos
+ We aim to encourage and strengthen the abilities and competencies of local Guatemalan development organizations - respecting their values, ethics, principles, policies, strategies, and work methodologies - with the objective of transforming them into multiplying agents and key actors for the sustainable development of their areas of operation.
+
+
+
+ https://staging.giveth.io/project/The-Roberto-Clemente-Health-Clinic
+ The Roberto Clemente Health Clinic
+ The Roberto Clemente Health Clinic provides affordable access to high-quality health care and wellness programs in the Tola coastal communities of Nicaragua.
+
+
+
+ https://staging.giveth.io/project/NON-GOVERNMENTAL-ORGANIZATION-UNIVERSAL-PEACE-FEDERATION
+ NON-GOVERNMENTAL ORGANIZATION UNIVERSAL PEACE FEDERATION
+ The Universal Peace Federation (UPF) is a network of individuals and organizations dedicated to building a world of peace in which everyone can live in freedom, harmony, cooperation, and prosperity. Peace is not simply the absence of war or a term that applies only to the relationships among nations. Peace is an essential quality that should characterize all relationships. UPF encourages all religions to dialogue and cooperate for peace based upon the recognition that human dignity derives from a universal divine source that is the basis of harmony and unification.<br>UPF offers relief and humanitarian programs; service-learning projects; character education and sports programs with a special focus on personal leadership and peacemaking skills
+
+
+
+ https://staging.giveth.io/project/Sociedad-Botanica-y-Zoologica-de-Sinaloa-IAP
+ Sociedad Botanica y Zoologica de Sinaloa IAP
+ Transformamos espacios publicos en areas verdes que integran e inspiran a la comunidad.
+
+
+
+ https://staging.giveth.io/project/Tlalij-Yolojtli-uan-Nemililistlij-AC
+ Tlalij, Yolojtli uan Nemililistlij AC
+
+
+
+
+ https://staging.giveth.io/project/Shoreline-City-Church
+ Shoreline City Church
+ Shoreline Community Churchs mission is to glorify God by helping people find their way back to God, making fully devoted followers of Jesus.
+
+
+
+ https://staging.giveth.io/project/Rancho-Santa-Fe-Foundation
+ Rancho Santa Fe Foundation
+ At Rancho Santa Fe Foundation our mission is to connect donors with regional and global needs through visionary community leadership, personalized service and effective grant-making.
+
+
+
+ https://staging.giveth.io/project/Film-Independent
+ Film Independent
+ Film Independents mission is to champion creative independence in visual storytelling in all its forms, and to foster a culture of inclusion. We support a global community of artists and audiences who embody diversity, innovation, curiosity and uniqueness of vision.
+
+
+
+ https://staging.giveth.io/project/CF-Orphanni-Synytsi
+ CF Orphanni Synytsi
+ Supporting people living with rare (orphan) diseases in Ukraine with life-saving medicines and medical care. <br>Advocating for rights of patients with rare diseases to treatment <br>Rare diseases are incurable, lifelong, disabling and require expensive treatment. Most of patients are children.
+
+
+
+ https://staging.giveth.io/project/okTurtles-Foundation-Inc
+ okTurtles Foundation, Inc
+ Supporting beneficial decentralization technologies through education, research, and development.
+
+
+
+ https://staging.giveth.io/project/Wright-Way-Rescue
+ Wright-Way Rescue
+ Wright-Way Rescue has been a pioneer in the field of animal welfare for over 17 years when we began rescuing homeless animals from poor, rural areas and finding them loving forever homes. The problem of pet overpopulation in Rural America is dire and virtually undocumented, and we believe that helping these remote communities is critical to the national No-Kill movement. We work with over 100 rescue partners throughout the rural Midwest, South, and Southeast to save well over 5,000 lives every year on approximately 10% of the budget of similarly sized organizations. We are committed to stretching every donated “dollar” as far as it can go.<br><br>We drive over 100,000 miles every year to save the lives of homeless pets who are at risk of euthanasia, abandonment, or worse. Our robust transport program was once criticized by industry insiders but is now talked about as the future of rescue. We have always believed that More Is Possible, and we wholeheartedly agree with Orville Wright’s statement, “If we worked on the assumption that what is accepted as true really is true, then there would be little hope for advance.”<br><br>Wright-Way Rescue operates on a unique model to save lives. Animals come to our Admissions Center located in Southern Illinois where they receive complete medical care before travelling to our main adoption center in Chicago. Our program is founded on strong shelter medicine, and, to that end, we run a Critical Care Center near our Admissions Center that is designed to address highly contagious but treatable diseases such as parvovirus, distemper, and sarcoptic mange. We have a satellite adoption center located at Lambs Farm, a non-profit dedicated to helping adults with disabilities lead happy and productive lives. We also have a small adoption center at our Admissions Center, and we are in the process of developing foster programs in two other states. In addition, we engage thousands of volunteers every year as fosters, dog walkers, cat entertainers, and much needed shelter helpers.<br><br>To us, animal welfare is foundational to building compassionate communities, and that is our dream. Wont you join us?
+
+
+
+ https://staging.giveth.io/project/Indian-Association-for-the-Blind
+ Indian Association for the Blind
+ IAB affirms its commitment to empower visually challenged people become self-reliant by providing comprehensive rehabilitation, education and employment opportunities.
+
+
+
+ https://staging.giveth.io/project/St-Croix-Foundation-for-Community-Development
+ St Croix Foundation for Community Development
+ To encourage greater philanthropic activity, to marshal resources and act as a catalyst for the benefit of the people of the Virgin Islands
+
+
+
+ https://staging.giveth.io/project/De-Dageraad-ACTIEF
+ De Dageraad ACTIEF
+ The organization and or support of sporting activities for children, young people and young adults with autism, ASD, a mental and/or physical disability.
+The organization and or support of meaningful leisure activities, integration in existing sports clubs as well as sporting trips, etc.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Musica-para-la-Vida-AC
+ Fundacion Musica para la Vida, AC
+ Somos una iniciativa social dedicada a impulsar el desarrollo cultural, educativo y ocupacional de ninos y jovenes que viven en situacion de vulnerabilidad en areas marginadas del estado de San Luis Potosi, promoviendo asi una transformacion social, mediante el aprendizaje y aplicacion colectiva de la musica sinfonica y coral.
+
+
+
+ https://staging.giveth.io/project/Al-Awda-Health-and-Community-Association
+ Al Awda Health and Community Association
+ AWDA is an independent and non-profit Palestinian NGO with the purpose of achieving community health empowerment and promoting the comprehensive healthcare concept through primary, secondary and tertiary healthcare; woman and child protection. AWDA is committed to the principles of human rights principles which include equity, equality, accountability, rule of law, transparency, tolerance, respect, non-discrimination, participation, empowerment and attention to vulnerable groups.
+
+
+
+ https://staging.giveth.io/project/FUNDACION-APA-AC
+ FUNDACION APA AC
+ Sensitize the young population about social problems through community and educational programs that positively impact vulnerable sectors of our society.
+
+
+
+ https://staging.giveth.io/project/Step-for-Bulgaria-Foundation
+ Step for Bulgaria Foundation
+ Step for Bulgaria is a non-profit organization which aims to support the development of Bulgarias socially and economically disadvantaged youth, with a focus on children living without parental care. We do this by engaging young people in alternative education and professional orientation activities to develop their life knowledge, practical life and career skills, and personal strengths.
+
+
+
+ https://staging.giveth.io/project/Mama-Kevina-Hope-Centre
+ Mama Kevina Hope Centre
+ Mama Kevina Hope Centre is a centre for children with disabilities, located in the district of Same, in the Kilimanjaro region (Tanzania). We started working in 2008 and we are part of the Little Sisters of St. Francis de Assisi.<br><br>This is a non-profit center, due to their mission is based on solidarity and only look for the improvement of their childrens quality life.
+
+
+
+ https://staging.giveth.io/project/Teenagers-Mind-Restructuring-Initiative
+ Teenagers Mind Restructuring Initiative
+ TMRI empowers and promotes the teenagers and youths towards self-reliance and sustainable development through capacity strengthening, education and skills acquisition to enable them attain their full potential early irrespective of life challenges.
+
+
+
+ https://staging.giveth.io/project/TIBU-Maroc
+ TIBU Maroc
+ TIBU Maroc is a Moroccan NGO that uses the power of sport to develop innovative social solutions in the field of education, empowerment and socio-economic inclusion of young people through sports. <br><br>Founded in 2011, TIBU Maroc is the leading organization in Morocco in the education and integration of young people through sports. TIBU Maroc recognizes that the power of sport provides transformational sustainability to practitioners, children, youth, women, and people with specific needs; namely: better health, closer communities, greater athletic achievements and a stronger identity.<br><br>As the main organization in the education and integration of youth through sport in Morocco with a wide national coverage in more than 14 cities and 8 regions of the kingdom, TIBU Morocco, in line with its ambition to become the locomotive of sport for development in Africa by 2030, is committed to contribute to the achievement of the 17 Sustainable Development Goals (SDGs) and considers them as an opportunity to place sport as a powerful tool to design innovative solutions to the complex challenges of the 21st century.<br><br>Major achievements: <br>-103 members & collaborators including 9 volunteers,<br>-Active in 18 cities of the kingdom,<br>250,000 young beneficiaries take part in our programs each year,<br>-24 centers have been created for the development of 21st century skills through sport,<br>-88% of our young beneficiaries in the centers have increased their school grades (from an average of 3, 4 to an average of 7, 8 and 9),<br>-0% dropout - all our beneficiaries continue with their education in Moroccan schools,<br>-66% of our young beneficiaries of the Socio-Economic Integration through Sport programs integrate into the sports industry job market following 12 months of training,<br>-5 different types of structures have been launched since the establishment of TIBU: Centers for Education through Sport, Sports and leadership academies, Playgrounds for empowerment through sport, 2nd chance school oriented towards sports professions and HandiSport school for children with disabilities.
+
+
+
+ https://staging.giveth.io/project/First-Responders-Resiliency-Inc
+ First Responders Resiliency Inc
+ First Responders Resiliency, Inc. is a non-profit organization created "For First Responders, By First Responders" and is dedicated to the psychological and physical well-being of those who serve in the industry.
+
+
+
+ https://staging.giveth.io/project/Network-for-Human-and-Social-Development-(NHSD)
+ Network for Human and Social Development (NHSD)
+ Our mission is the mitigation of Disaster risk, Alleviation of Poverty, Empowering of vulnerable women and Children and Contributing to the Health and Education of the remote villages cut off from the civilization.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-For-Albury-Wodonga-Region-(Border-Trust)
+ Community Foundation For Albury Wodonga Region (Border Trust)
+ Our vision: To build resilience and create a lasting difference in our local communities.<br><br><br>Who we are<br>The Border Trust is a local charitable foundation that is leading vital change across our region. <br><br>Through a sustained program of regular giving, the Border Trust provides funding to local projects that build capacity and resilience in out local communities. <br><br>Weve provided grants and Back to School assistance totaling $1,654,527 since 2005! <br><br>Donations to Border Trust stay 100% local & help us to support not-for-profit organisations achieve positive community outcomes. <br><br>Border Trust is a local, independent, charitable organisation that was established to create a strong and sustainable financial base to meet the needs of our community, today and in the future.
+
+
+
+ https://staging.giveth.io/project/Bothoor-ALkhaer-organization-for-Relief-and-Development
+ Bothoor ALkhaer organization for Relief and Development
+ Bothoor Alkhaer Organization for Relief and Development is one of the organizations working in Iraq, registered dearly in the Iraqi government. It was established in 2004 to support marginalized groups, displaced people, refugees, women, widows, orphans, violence against children,Education violence against women, peace. Our organization would like to have cooperation and partnership in Implementation of programs, projects in partnership with you in Iraq. Our organization enjoys good relations with international bodies and international organizations and has activities in implementing various programs. We would like you to work with your honorable organization by financing projects related to marginalized groups, and we are now living in emergency conditions in Iraq where Iraq has witnessed conflicts and battles leading to large numbers of displaced persons and On the other hand, the spread of this deadly epidemic, as Iraq witnessed frightening numbers, which led to the deterioration of the economic situation in the country, and these two matters led to an emergency situation for these marginalized groups in the country.
+
+
+
+ https://staging.giveth.io/project/Collectiu-Soterranya
+ Collectiu Soterranya
+ We are a social, environmental and cultural association. We are a non-partisan, non-denominational and non-profit group with the aim of claiming and creating a critical awareness in citizenship, encouraging civil society to participate in the transformation of its environment, in a fairer, more sustainable and more humane, promoting the construction of creative and exchange spaces aimed at transforming the world in a sustainable and supportive way.<br>We were born in 2004 and our headquarters are located in the city of Torrent located in the region of Horta Sud in the Valencian Country (Spain).<br>Creativity, imagination, commitment, books, ecology and the bicycle as a tool for change and social improvement are some of our weapons of massive construction with which we intend to build a better world.
+
+
+
+ https://staging.giveth.io/project/Associazione-pro-Terra-Sancta
+ Associazione pro Terra Sancta
+ pro Terra Sancta is committed to preserving the cultural heritage and supporting the local communities in the contexts in which it operates, supporting the work of the Franciscan Friars of the Custody of the Holy Land, and local charitable works at the service of the weakest.<br>In addition, the Association is committed to providing humanitarian aid to all those who join find in need, operating with the desire to meet everyone regardless of all religious affiliation, social status and ethnic origin.<br>Participating in the work of pro Terra Sancta means, in particular, loving and<br>live a lasting bond with the Holy Places and the ancient Christian communities,<br>involving itself in the various religious, historical-cultural and social aspects.<br>In particular, the works of the Association must be constantly supported<br>and guided by the following principles: <br>(1) love for the fate of each person you meet;<br>(2) constant dialogue with all those involved in the on-site projects in order to<br>get to know the reality of the place and identify needs and opportunities, so from define possible development processes; <br>(3) sharing of decisions regarding<br>strategies to adopt and projects to implement; <br>(4) promotion of initiatives identified as priorities; <br>(5) involvement of supporters, so that they can significantly contribute to the work of pro Terra Sancta.
+
+
+
+ https://staging.giveth.io/project/Action-for-Development-(AfD)
+ Action for Development (AfD)
+ Action for Development assists communities in the achievement of their own development goals. In other words, it aims at ensuring a certain relief for the Afghan population through development programs. Our efforts are spent in ways that maximize the impact of any of our actions and we remain fully accountable to communities where our programs take place.<br><br>The sustainability of any development program lies within the communities acceptance of the change. For our action to produce lasting results, communities have to guide the use of resources and learn the managerial and technical skills to do so. This is why our approach is fundamentally community-based. We seek to provide fractured, new, or changing communities with opportunities to work together for a common purpose and the ability to undertake future endeavors of their own. Participation transforms communities into effective teams.<br><br>Community involvement in project implementation, and interaction with development organizations leaves them more enabled, ensuring that subsequent programs have lasting effects. Community familiarity with the programs leaves them with expectations. These expectations drive the performance of future implementers and encourage them to engage in a process of learning. Thus the dynamics of development change.<br><br>AfD also emphasizes collaboration with vertical programs and asks of other organizations what we ask of our team members - "How can we make sure that a wide range of health services are provided to people?" AfD believes that yields from separate but related development efforts are maximized through the integration and harmonization of programs.<br><br>Todays efforts and resources should be used to enhance opportunities for a healthy and prosperous life. AfD is committed to helping Afghan communities according to their own development goals and to explore creative avenues to give Afghanistan Solutions for a Brighter Future.
+
+
+
+ https://staging.giveth.io/project/East-Bay-Food-Justice-Project
+ East Bay Food Justice Project
+ serving free meals to the public
+
+
+
+ https://staging.giveth.io/project/companies-for-good
+ companies for good
+ At Companies for Good our goal is to make the world a better place by helping companies make a positive social impact through offering team activities and initiatives.
+
+
+
+ https://staging.giveth.io/project/Bahamas-AIDS-Foundation
+ Bahamas AIDS Foundation
+ To facilitate HIV prevention and intervention strategies including:<br>a. elimination of mother-to-child transmission<br>b. HIV/AIDS education, training, research, support, and advocacy<br>c. reduction of HIV transmission
+
+
+
+ https://staging.giveth.io/project/Radiant-Church
+ Radiant Church
+ We move towards Christ<br>We Move towards Community<br>We Move towards Calling
+
+
+
+ https://staging.giveth.io/project/Samusocial-Peru
+ Samusocial Peru
+ Samusocial Peru is a non-profit organization created in 2004 to fight against social exclusion by promoting the right to health and a life without violence, providing comprehensive care that goes from emergency to rights restoration through a network job. We propose to build a bridge between the community and public services to reinforce, support, and improve the functioning of the care system, making it more inclusive. We focus our work on medical-psychosocial care, the fight against anemia and violence, and strengthening the soft skills of children, adolescents, and women in vulnerable situations.<br><br>Action estrategies<br> Going to meet the most vulnerable people who no longer have the strength or the will to go towards common law structures or towards any other association.<br> Placing them out of danger according to the medical psychosocial emergency procedures.<br> Facilitating the referral of these people towards the public services thanks to a network of institutional and private partners.<br> Conducting research and advocacy work directly or indirectly related to the problem of social exclusion.<br><br>Methodology to reach out to the most excluded<br>Help mobile team: the HMT makes daily rounds to reach out to the population, provide medical-psychosocial care, and refer them to appropriate institutions. In addition, they periodically organize mobile clinics in the community.<br>Day care center: it provides a safe space during the day where women and children who are victims of domestic violence receive personalized accompaniment.<br>Partner support: trengthening of partners capacities through training and networking through coordination and concertation meetings.<br>Awareness and advocacy: through lectures, workshops or campaigns, the community is made aware of its rights, administrative procedures, and preventive actions are offered. This work is complemented by advocacy, making it possible to alert public authorities and raise public awareness of the problem of exclusion.
+
+
+
+ https://staging.giveth.io/project/SOS-Childrens-Villages-Inc
+ SOS Childrens Villages, Inc
+ We build families for children in need, we help them shape their own futures, and we share in the development of their communities.
+
+
+
+ https://staging.giveth.io/project/Muni-Seva-Ashram
+ Muni Seva Ashram
+ To serve, strengthen and sustain the well-being of the underprivileged and build organizational resilience through agriculture and animal husbandry, healthcare, education, welfare programs and alternative energy solutions by deploying most appropriate technologies in total harmony with nature, culture and human values. The principle that No service is provided for free, but no one is denied service for the lack of funds is sincerely followed.<br>We believe in:<br>Serving without discrimination.<br>Aiding without bias.<br>Healing without profit.<br>Welfare without limitations.
+
+
+
+ https://staging.giveth.io/project/Revival-Valley
+ Revival Valley
+
+
+
+
+ https://staging.giveth.io/project/Australian-Council-of-State-School-Organisations-(ACSSO)
+ Australian Council of State School Organisations (ACSSO)
+ The one voice for every child in Public Education. To promote public understanding of the role of public education and of national education issues. 2.1.2 To advocate on national education issues. 2.1.3 To develop and promote national education policies and to devise strategies to achieve the goals implicit in that policy. 2.1.4 To monitor and provide information, analysis, research and reports on national education issues to affiliates and other appropriate organisations. 2.1.5 To represent parents of children in government schools and their school communities in all relevant forums. 2.1.6 To provide support for affiliates and a clearing house for affiliates to share information and experiences. 2.1.7 To work with other organisations on matters of mutual interest. 2.1.8 To represent ACSSO views on national issues to Government and to education and other related organisations. 2.1.9 To provide for ongoing development and regular review of ACSSO organisation and administration
+
+
+
+ https://staging.giveth.io/project/Water-Science-and-Technology-Institute
+ Water Science and Technology Institute
+ Providing research improving water managment and cleaning<br>Educating society, promoting new technologies in sustainable water management<br>Developing new solutions in sustainable food industry<br>Gathering and integrating data and knowledge about water usage and demand
+
+
+
+ https://staging.giveth.io/project/Instituto-Chaikuni
+ Instituto Chaikuni
+ Regeneration of degraded landscapes and revitalization of traditional knowledge through permaculture design training and the creation of eco-social entrepreneurship opportunities for indigenous and mestizo communities of the Peruvian Amazon. We seek to challenge current models of development, which value life only for its contribution to economic growth and not social and environmental well-being. These models have historically excluded the traditions of local communities as well as ignored the biophysical limits and environmental sustainability of development. Thus, we promote community development that supports and is in alignment with the protection and regeneration of natural ecosystems and the preservation and restoration of indigenous cultural traditions. We are working towards a new direction for development focusing on supporting place-based economies comprising of small, locally owned enterprises that function within a community-supported ethical culture to engage people in producing for the needs of the community and its members.
+
+
+
+ https://staging.giveth.io/project/CUSTOMS-HEALTH-CARE-SOCIETY
+ CUSTOMS HEALTH CARE SOCIETY
+ To establish model medical facilities in order to alleviate the sufferings of poor and resource less patients and provide them quality medical care. To help the humanity in distress at times of natural calamities like Earth Quakes, Accidents, IDPs crisis and so forth. To conduct training programmes for Community Health Workers in collaboration with other community based organizations and donor agencies. To create awareness among the general public for improvement of their health through health education. To help deserving and talented students and provide financial support to widows and poor families who cannot afford treatment on their own. <br>To achieve simple treatment goals through cost effective local medicines including Herbs and Folk Home Remedies designed to cure as many patients as possible with few side effects. To provide best possible treatment to the poor and needy patients through qualified and specialist doctors. To develop a Health Education Programme designed to improve the quality of life through preventative measures. To conduct training programmes for Community Health Workers in collaboration with other community based organizations and donor agencies. To establish a Centre of Excellence for the treatment of Tuberculosis (in line with WHOs, DOT programme), Hepatitis-C and other Infectious Diseases. To provide immediate relief in case of natural disasters and calamities and also to take active part in rehabilitation of the affected population.
+
+
+
+ https://staging.giveth.io/project/The-Society-of-Majid-Bin-Abdulaziz-for-Development-and-Social-Services
+ The Society of Majid Bin Abdulaziz for Development and Social Services
+ Contributing in sustainability development through empowering individual.
+
+
+
+ https://staging.giveth.io/project/THE-UNITED-NATIONS-CHILDRENS-FUND-UNICEF
+ THE UNITED NATIONS CHILDRENS FUND, UNICEF
+ UNICEF is mandated by the United Nations General Assembly to advocate for the protection of childrens rights, to help meet their basic needs and to expand their opportunities to reach their full potential.<br><br>UNICEF is guided by the Convention on the Rights of the Child and strives to establish childrens rights as enduring ethical principles and international standards of behaviour towards children.<br><br>UNICEF insists that the survival, protection and development of children are universal development imperatives that are integral to human progress.<br><br>UNICEF mobilizes political will and material resources to help countries, particularly developing countries, ensure a "first call for children" and to build their capacity to form appropriate policies and deliver services for children and their families.<br><br>UNICEF is committed to ensuring special protection for the most disadvantaged children - victims of war, disasters, extreme poverty, all forms of violence and exploitation, and those with disabilities.<br><br>UNICEF responds in emergencies to protect the rights of children. In coordination with United Nations partners and humanitarian agencies, UNICEF makes its unique facilities for rapid response available to its partners to relieve the suffering of children and those who provide their care.<br><br>UNICEF is non-partisan and its cooperation is free of discrimination. In everything it does, the most disadvantaged children and the countries in greatest need have priority.<br><br>UNICEF aims, through its country programmes, to promote the equal rights of women and girls and to support their full participation in the political, social and economic development of their communities.<br><br>UNICEF works with all its partners towards the attainment of the sustainable human development goals adopted by the world community and the realization of the vision of peace and social progress enshrined in the Charter of the United Nations.
+
+
+
+ https://staging.giveth.io/project/West-Ridge-Church
+ West Ridge Church
+ Our missin is to Leading people to become fully devoted followers of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Kiwi-Harvest
+ Kiwi Harvest
+ KiwiHarvests mission is to rescue food good enough to eat but not to sell and divert it from landfills to feed vulnerable people in our communities. <br>KiwiHarvest is a New Zealand food rescue organisation with branches in the North and South Islands.<br>We link the food industry with community groups that support people in need ensuring that quality surplus food reaches those who are struggling rather than being needlessly discarded. This benefits both our community and our environment.<br>Working across New Zealand with the help of a dedicated team of volunteers, KiwiHarvest rescues and sorts food 5 - 6 days a week. Currently, our branches rescue<br>hundreds of tonnes of food each month diverting this from landfills and instead ensuring that it<br>reaches people in need.
+
+
+
+ https://staging.giveth.io/project/Center-Corporate-Social-Responsibility-Development
+ Center Corporate Social Responsibility Development
+ The CSR Development Center promotes the principles of sustainable business and social responsibility in Ukraine. It unites companies, advocate for the development of CSR at the national level and, together with business and donors, implement sustainable CSR projects for systemic change in Ukraine. After all, business affects the economy, society and the environment and this forms the companys corporate social responsibility (CSR). It is extremely important for business to reduce the negative and increase the positive impact. This is possible only with the principles of sustainable development - a balance between meeting modern needs and protecting the interests of future generations. The CSR Development Center creates sustainable results for CSR projects for the better in the country.
+
+
+
+ https://staging.giveth.io/project/Waukesha-County-Community-Foundation
+ Waukesha County Community Foundation
+ The Waukesha County Community Foundation is a pool of permanent endowment and project funds created primarily by and for the people of Waukesha County to provide grant support to charitable organizations. The intent of the Foundation is to serve a broad spectrum of community needs.
+
+
+
+ https://staging.giveth.io/project/Dare-Women
+ Dare Women
+ DARE WOMEN is an educational, scientific, social, humanitarian and cultural non-profit organisation whose aim is to study, promote and disseminate initiatives that encourage women to be bold and committed in society,
+the association will draw on the work of DARE WOMEN Consulting in the corporate world to bring together different players outside the corporate world and promote the boldness of women in society.
+The purpose of the association is to study, analyse and raise awareness of womens boldness in society, in France and around the world, share and disseminate good practice, and initiate projects aimed at civil society, the educational world, associations and institutions for the women and men concerned, in particular schoolgirls, To this end, the DARE WOMEN Association may implement any meetings, conferences, studies, trips, publications or any other action contributing to this objective.
+
+Translated with www.DeepL.com/Translator (free version)
+
+
+
+ https://staging.giveth.io/project/Verein-fuer-krebskranke-Kinder-Harz-eV
+ Verein fuer krebskranke Kinder Harz eV
+ The "Verein fur krebskranke Kinderharz" (Association for children with cancer) is to become a central point of contact for affected parents or relatives of children with cancer in Germany.<br><br>When a child is diagnosed with a cancer, the diagnosis is probably the worst bad news that can be given to parents and relatives. The following time to live is hardly conceivable, the diagnosis of cancer is a task that seems hardly solvable. Life, as it was yesterday, is no more, it changes so much, seemingly almost everything! Many people are concerned only with the disease, which has been around for many centuries.<br><br>We, as an association, want to make this time a little easier until the children are rehabilitated, support the affected persons in administrative matters, provide advice in matters of schools, hospitals, clinics and self-help. In addition, we want to focus more on the issue of cancer in children, to help educate and support the research.<br><br>We want to help the children with donations, help them to make cancer research, promote typing measures, and support the childrens clinics in our region, in order to participate in the small cancer patients there too, because the large centers in Halle, Braunschweig, Magdeburg, Gottingen and Hannover are already a bit away and some "small" examination or medication can then also be done on site and the way home is then more tolerable and for everybody more comfortable.<br>This great organization supports families with children with cancer. The latest project gives these families the opportunity to recharge their batteries.Located on a wonderful lake, this organization has restored vacation apartments. These apartments can then be used by families with special needs. Now additional land has to be bought to build more vacation homes on it. The price for this property is 25,000. Nearby there are also suitable medical facilities, which make a longer stay possible.
+
+
+
+ https://staging.giveth.io/project/amfAR-The-Foundation-for-AIDS-Research
+ amfAR, The Foundation for AIDS Research
+ Our mission is to end the global AIDS epidemic through innovative research.
+
+
+
+ https://staging.giveth.io/project/Jivdaya-Charitable-Trust
+ Jivdaya Charitable Trust
+ We are committed to saving lives, conserving nature, and promoting coexistence.
+
+
+
+ https://staging.giveth.io/project/SOS-Childrens-Villages-Association-of-South-Africa
+ SOS Childrens Villages Association of South Africa
+ Our Vision: To see that every child belongs to a family and grows with love, respect and security.<br><br>Our Mission: <br>We build families for children in need- Children that have already lost the care of their parents find a new SOS Family in an SOS Village; and we support and strengthen families, with children facing a significant risk of losing the care of their parents, to prevent family disintegration.<br><br>We help them shape their own futures - We enable children to live according to their own culture and religion, and to be active members of the community. We help children to recognize and express their individual abilities, interests and talents. We ensure that children receive the education and skills training that they need to be successful and contributing members of society.<br><br>We share in the development of their communities - We share in community life and respond to the social development needs of societys most vulnerable children and young people. We establish facilities and programmes that aim to strengthen families and prevent the abandonment of children. We join hands with community members to provide education and health care, and respond to emergencies.<br><br>Our core values/ What keeps us strong<br><br> Courage<br> Commitment<br> Trust<br> Accountability
+
+
+
+ https://staging.giveth.io/project/Sunshine-Day-Care
+ Sunshine Day Care
+ Our mission is to provide childcare that embraces childrens natural desires to play and explore in natural and inclusive environments protected from the hurried life beyond our gates.
+
+
+
+ https://staging.giveth.io/project/To-Walk-Again-vzw
+ To Walk Again vzw
+ To offer low threshold and adapted sports & movement activities to children, youth and adults with a physical disability and their family. Some examples : holiday camps, adapted fitness, wheelchair basketball for youngsters, initiation to sports. Vision : "A financial situation should not limit the possibiltiy to exercise and play sports." Marc Herremans - Founder To Walk Again
+
+
+
+ https://staging.giveth.io/project/Association-RonRhone
+ Association RonRhone
+ Protection de la faune.
+
+
+
+ https://staging.giveth.io/project/Art-Enables
+ Art Enables
+ Art Enables is an Art Gallery and Vocational Arts program dedicated to creating opportunities for artists with disabilities to make, market, and earn income from their original and compelling artwork.
+
+
+
+ https://staging.giveth.io/project/Sanando-Heridas-AC
+ Sanando Heridas, AC
+ Improve the quality of life of the disadvantaged inhabitants and communities of the Highlands of Chiapas region*, through medical care and health education programs, from a rights perspective and an intercultural perspective.<br><br>*Chiapas with a very high lag index, grade 3 (Access to Education, health services, quality of housing, basic services, Social Lag Index, Coneval 2015)<br><br><br><br>Sanando Heridas, A.C .: Non-profit organization founded in 2008. Authorized grantee
+
+
+
+ https://staging.giveth.io/project/Wens-Ambulancezorg-vzw
+ Wens Ambulancezorg vzw
+ Wish Ambulancezorg vzw fulfills the wishes of palliative less mobile patients. We transport the patient with an ambulance and accompany the patient with medically trained volunteers. Completely free of charge
+
+
+
+ https://staging.giveth.io/project/smartAID-in-Hebrew-is-Ezra-Chachama-Laolam
+ smartAID in Hebrew is Ezra Chachama Laolam
+ We work responsibly and effectively to harness the power of innovation and technology to save lives, alleviate suffering and empower communities to live the kind of life they value.
+
+
+
+ https://staging.giveth.io/project/Zespol-Szkol-Nr-1-im-Stanislawa-Staszica-w-Bochni
+ Zespol Szkol Nr 1 im Stanislawa Staszica w Bochni
+
+
+
+
+ https://staging.giveth.io/project/Te-Aud-Romania
+ Te Aud Romania
+ Te Aud Romania was established to give Romanias orphans and disadvantaged children a fighting chance at succeed in life. To do this, we must keep them in school and equip them for a chance at securing employment. Unfortunately, this is not enough for children who have suffered such immense devastation and emotional damage. These children desperately need our help and support. Help to heal and build self-esteem and confidence to even begin to feel normal like a child should.
+
+
+
+ https://staging.giveth.io/project/IsraAID
+ IsraAID
+ Our mission is to support people affected by humanitarian crisis. We partner with local communities around the world to provide urgent aid, assist in recovery, and reduce the risk of future disasters.
+
+
+
+ https://staging.giveth.io/project/The-Hereworth-School-Trust-Board
+ The Hereworth School Trust Board
+ To provide an Independent School education to Boys (and girls from 2023) in the wider Hawkes Bay region
+
+
+
+ https://staging.giveth.io/project/Protect-The-Child-Foundation
+ Protect The Child Foundation
+ OUR VISION<br>To curb the menace of child sexual abuse.<br><br>OUR MISSION<br>To protect and defend the innocence and dignity of children by breaking the culture of silence, ending ignorance and stopping the culture of survivor or victim shaming.<br><br>*To end period poverty and taboos around menstrual health and hygiene and puberty as a whole.
+
+
+
+ https://staging.giveth.io/project/Hats-Community-Empowerment-Programme-(HACEP-Ghana)
+ Hats Community Empowerment Programme (HACEP-Ghana)
+ Our mission is to empower youth to contribute meaningfully to improve their SRHR, end Child Marriage, FGM and promote girls rights in Ghana within a generation.
+
+
+
+ https://staging.giveth.io/project/Recidar
+ Recidar
+ We extend the lifespan of used objects, promoting a circular economy through reutilization and providing formal, safe and accessible shopping opportunities for socially and economically vulnerable families.<br>To be a reference of formal, dignified and equitable commerce for vulnerable communities, promoting practices of reutilization in coordination with the families, companies and public institutions for the benefit of our society and environment.
+
+
+
+ https://staging.giveth.io/project/National-Disability-Development-Forum-(NDF)
+ National Disability Development Forum (NDF)
+ MISSION<br>"Empowerment of people with/without disabilities through awareness, skill development, access to health, education, livelihood & recreational services and enhancing the life standard in qualitative and quantitative terms.
+
+
+
+ https://staging.giveth.io/project/Varuh-otroskih-src-Zavod-za-pomoc-otrokom-mladostnikom-in-druzinam-Maribor
+ Varuh otroskih src - Zavod za pomoc otrokom, mladostnikom in druzinam Maribor
+ Guardian of Childrens Hearts is a private non-profit institution that provides psychotherapeutic help and support to children, adolescents and families in need. In the institution, we carry out individual and group therapy for risk population.
+
+ , , .
+For this reason, we have prepared a program VARUH - free psychotherapeutic treatment for victims of violence and abuse.
+The social welfare program VARUH (GUARDIAN) provides comprehensive treatment of victims of violence and abuse.
+
+Psychosocial assistance is intended for children, adolescents and womens who experience or have experienced emotional, physical or sexual violence in the past. The program is carried out in the form of individual and group therapeutic treatment and informative conversations. The goal of the program is to provide adequate therapeutic assistance to people in coping with and processing traumatic experiences.
+
+
+
+ https://staging.giveth.io/project/Dawood-Global-Foundation-Educate-a-Girl
+ Dawood Global Foundation - Educate a Girl
+ To educate 1000 girls in need in Pakistan with vocationally training in media studies at the Institute of Journalism Karachi followed by grooming in professionalism, dressing at the work place, sexual harassment protection and boosting self-esteem. Top students are placed in top media outlets and we work to place others in multi-nationals and other key opportunities.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Cuidado-Infantil-Dominicano
+ Fundacion Cuidado Infantil Dominicano
+ To respond to Jesus Christ through compassionate service, sharing and promoting health and wholeness for those in need, especially children.
+
+
+
+ https://staging.giveth.io/project/Orbis-Ireland
+ Orbis Ireland
+ Orbis mission is to preserve and restore sight by strengthening the capacity of local partners in their efforts to prevent and treat blindness with the vision that this will lead to a world in which no one is needlessly blind, where quality eye care, education, and treatment are available to every human being.
+
+
+
+ https://staging.giveth.io/project/Triggerise-Stichting
+ Triggerise Stichting
+ Our Vision - A world where all youth have the power to choose where, when, and how they meet their sexual and reproductive health needs.<br><br>Our Mission - A next generation non-profit that is exponentially more efficient at delivering scalable and verified SRH impact for sub-Saharan African youth.
+
+
+
+ https://staging.giveth.io/project/Centro-Espirita-Amor-e-Fe
+ Centro Espirita Amor e Fe
+ Centro Espírita Amor e Fé is on a mission of fighting hunger and misery in Tupaciguara based on the study and practice of Allan Kardecs doctrine in a way to ensure that their beneficiaries are not discriminated against on the basis of race, age, sex and religion. Everyone is welcome to join our cause whose learning process brings together different people no matter their faith.
+
+
+
+ https://staging.giveth.io/project/township-foundation-education-centre
+ township foundation education centre
+ Our Mission <br>To bring hope and lifeline to a hopeless and vulnerable Kenyan child, to mold, build and nurture him/her to fit into the normal society life so as to equally compete for opportunities with not only other Kenyan children but world over.
+
+
+
+ https://staging.giveth.io/project/Project-Maji
+ Project Maji
+ To provide 1 million people across sub-Saharan Africa with sustainable access to safe drinking water by 2025.
+
+
+
+ https://staging.giveth.io/project/Maruki-Gallery-for-the-Hiroshima-Panels-Foundation
+ Maruki Gallery for the Hiroshima Panels Foundation
+ The activities of the Maruki Gallery For the Hiroshima Panels Foundation center around the permanent preservation and exhibition of the Hiroshima Panels by Iri and Toshi Maruki. These historically and aesthetically significant works are a means of passing down the bitter legacy shared by all humanity. The Gallery advocates for peace and social justice and enriches community life by preserving and exhibiting the paintings of Iri, Toshi and Suma Maruki, and facilitating socially engaged cultural and artistic programming.
+
+
+
+ https://staging.giveth.io/project/International-OCD-Foundation-(IOCDF)
+ International OCD Foundation (IOCDF)
+ The mission of the International OCD Foundation is to help those affected by obsessive compulsive disorder (OCD) and related disorders to live full and productive lives. Our aim is to increase access to effective treatment through research and training, foster a hopeful and supportive community for those affected by OCD and the professionals who treat them, and fight stigma surrounding mental health issues.
+
+
+
+ https://staging.giveth.io/project/Tap-Elderly-Womens-Wisdom-for-Youth
+ Tap Elderly Womens Wisdom for Youth
+ TEWWYs mission is to bridge the intergenerational and mental health treatment gaps.
+
+
+
+ https://staging.giveth.io/project/Asociacion-de-Productores-de-Semillas-y-Alimentos-Nutricionales-Andinos-MUSHUK-YUYAY
+ Asociacion de Productores de Semillas y Alimentos Nutricionales Andinos MUSHUK YUYAY
+ To participate in recovery and strengthening of our local agro-biodiversity through the production of seeds (grains Andean, cereals, legumes, tubers) animal husbandry (Guinea pig.) <br>To increase the overall economic opportunity for the families that are part o the association as well as improve food security and by strengthening the work of the association.
+
+
+
+ https://staging.giveth.io/project/Tea-Leaf-Trust
+ Tea Leaf Trust
+ Mission statement: To provide opportunities and promote ethnic cohesion through education.<br><br>Our Aims:<br><br>To deliver high quality, accessible educational programmes, both full time and part-time, to young people and children from the tea estates in the hill country of Sri Lanka;<br><br>To effect social transformation in tea estate communities by highlighting the importance of community service, and instilling it as a core value in the youth through a series of practical programmes that develop their skills to give back to their communities;<br><br>To improve youth employability and increase employment options outside the tea estates by facilitating the development of high-standard English language skills and professional skills;<br><br>To facilitate the development of the emotional health of young people, enabling them to strengthen their positive coping strategies in order to with the complex societal issues that exist in their communities.
+
+
+
+ https://staging.giveth.io/project/Taiwan-Love-and-Hope-International-Charity
+ Taiwan Love and Hope International Charity
+ The Taiwan Love and Hope International Charity exists to reach out and provide charitable services, principally to disadvantagedchildren and youth, and including their family, if necessary.The aim is to provide educational, financial assistance, and housing, hoping that such gestures of love can empower and give hope to the disadvantaged.
+
+
+
+ https://staging.giveth.io/project/For-Equal-Rights-Educational-Center-NGO
+ For Equal Rights Educational Center NGO
+ The mission of the "For Equal Rights" Education Center NGO is:<br>To PROMOTE the development of civic consciousness, enhancing values based on rule of law, creation of culture of discussions and debates by enlarging the opportunities of freedom of speech and pluralism.<br>To STIMULATE youth and CSO participation in social and political affairs, increase their influence on decision making process and raise the accountability of the public institutions.<br>To CREATE an alternative dialogue platform for meetings, discussions and debates for representatives of civil society, youth, academia and field of culture, media, policy makers and public figures.<br>To RAISE issues of public concern and create a new field for comprehensive discussions on these issues.<br>To BUILD the capacity of youth, civic activist groups and media representatives and promote development of legally conscious and demanding civil society.
+
+
+
+ https://staging.giveth.io/project/Cancer-Research-Institute-Inc
+ Cancer Research Institute, Inc
+ Save more lives by fueling the discovery and development of powerful immunotherapies for all types of cancer.
+
+
+
+ https://staging.giveth.io/project/Accountability-Lab-Nepal
+ Accountability Lab Nepal
+ The Accountability Lab Nepal was founded in early 2012 as an effort to work with young people to develop new ideas for accountability, transparency and open government. It has evolved into a global network of local Accountability Labs that are finding new ways to shift societal norms, solve intractable challenges and build "unlikely networks" for change. We change mindsets and support accountability champions through popular, positive campaigns inside and outside governments. We equip reformers for collective action - both inside and outside government. We promote collaboration around accountability and open governance by supporting community feedback loops.
+
+
+
+ https://staging.giveth.io/project/The-Southern-Highlands-Foundation
+ The Southern Highlands Foundation
+ Our Mission is to help establish and support a tradition of Philanthropy in the Southern Highlands NSW, by providing a simple and effective way to give something of real value back to the community. Respect, diversity, collaboration a stewardship are the values which provide guiding principles for the way in which we operate.<br>Our Vision is a strong and resilient Southern Highlands Community.<br>These are ideals are incapsulated in our mission statement:<br>Foster Philanthropy, generate hope, strengthen community.
+
+
+
+ https://staging.giveth.io/project/University-of-Waterloo
+ University of Waterloo
+ The University of Waterloos mission is to advance learning and knowledge through teaching, research, and scholarship, nationally and internationally, in an environment of free expression and inquiry.<br><br>https://uwaterloo.ca/secretariat/governance#:~:text=The%20University%20of%20Waterloos%20mission,of%20free%20expression%20and%20inquiry
+
+
+
+ https://staging.giveth.io/project/Tiruzer-Ethiopia-for-Africa-(TEA)
+ Tiruzer Ethiopia for Africa (TEA)
+ TEA wants to be help poor people succeed to their efforts through innovation, empowerment, and in promoting new ways of thinking and doing.
+
+
+
+ https://staging.giveth.io/project/Shade-for-Children
+ Shade for Children
+ Uniting Churches and Communities to Cherish every Orphaned and Vulnerable Child in Transcarpathia.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Society-of-Selangor
+ Wildlife Society of Selangor
+ WILDs vision is a society that values natural heritage that includes wildlife and forests. Towards this end, our goal is to improve the understanding and protection of wildlife, especially critically endangered apex predators. We facilitate partnership and collaboration, as well as promote environmental awareness, community engagement and sustainable natural resource management to achieve the goal.<br><br>Wildlife Society of Selangor (WILD) is a non-profit organization registered in Malaysia. WILD partners with four other prominent nature conservation organizations namely, the Malaysian Nature Society, TRAFFIC, Wildlife Conservation Society-Malaysia and WWF-Malaysia for the protection and conservation of the Malayan tiger. <br><br>The Malaysian Conservation Alliance of Tigers (MYCAT) is a joint program that is completely administered by WILD. This program is fully supported by the Department of Wildlife and National Parks Peninsular Malaysia (DWNP). Administratively, WILD is appointed by the partner organizations to administer and manage all MYCAT programs in compliance with Malaysian laws. <br><br>MYCAT began in 2003 as a platform between the partner NGOs for communication and collaboration with an emphasis on sharing information and resources and cooperation towards the common goal of saving Malayan tigers.<br><br>Through this platform, the Malaysian government developed the countrys first National Tiger Conservation Action Plan in 2008. Among the more notable advocacy campaigns, were the incorporation of better wildlife laws in Malaysia, including Malaysias Wildlife Conservation Act 2010 and the International Trade in Endangered Species Act 2008. MYCAT also advocated for a change in the legal status of the sambar deer, a key prey species for tigers, to a totally protected species.<br><br>In the subsequent decade, the platform initially created to close the communication gap between the NGOs and the government, has gradually evolved to engage members of the public for a greater stride towards the recovery of wild Malayan tigers. With the motto of Saving Tigers Together, the Citizen Action for Tiger (CAT) program includes Wildlife Crime Hotline, antipoaching surveillance patrols (known as CAT Walk), community ranger, community outreach and reforestation.
+
+
+
+ https://staging.giveth.io/project/Uman-National-University-of-Horticulture
+ Uman National University of Horticulture
+ conducting innovative educational and scientific activities through the provision of quality and affordable<br>education through the knowledge and experience of research and teaching staff, the development of scientific and educational technologies
+
+
+
+ https://staging.giveth.io/project/The-Hub-Collective-Inc
+ The Hub Collective Inc
+ Mission: The Hub Collective Inc. is a safe and inclusive arts non-profit organization with a passion to build creative confidence and intergenerational exchange across Bequias communities. Our pillars address the need for holistic community engagement and inclusivity through Music, Arts, Culture and Heritage, Healing and the Environment. <br><br>We exist to provision the information and the vision to empower youth and all people of Bequia, reinvigorating the spirit of positive transformation and creativity across our communities.<br> <br>Vision: The Hub Collective envisions a Bequia in which all of its people will have the power, nourishment and support to lift themselves out of creative scarcity mindset and to birth vitality and healthy intergenerational communities rich with excellence, self-esteem and passion now and for the future.
+
+
+
+ https://staging.giveth.io/project/Associacao-Beneficente-Encontro-com-Deus
+ Associacao Beneficente Encontro com Deus
+ Encontro Com Deus is a charitable social project based in Curitiba, Parana, Brazil. We aim to promote and strengthen the family as the basis of society, as well as prevent the rupture of their ties, ensure Fundamental Rights and contribute to the emancipation of women with their children through preventive and protective actions.<br><br>Through three protective shelter in Curitiba, ECD work alongside local authorities and within the local community to protect women in dangerous situations such as domestic and territorial violence or social risk, and maintain family ties by keeping mothers and children together in a safe space, where they might otherwise be separated by the authorities.<br><br>ECD acts to prevent a new generation of street children in Brazil through a community centre where children can go when they arent in school and access a wide range of opportunities ranging from learning to sport, art, excursions and other activities.<br><br>ECD influences policy and authorities at local and national level via its participation in councils and particularly within networks and movements for child and family rights.
+
+
+
+ https://staging.giveth.io/project/Union-of-Advanced-Technology-Enterprises
+ Union of Advanced Technology Enterprises
+ Position Armenia as one of the International High-Tech market leaders by supporting a favorable business environment, implementing lobbing and development projects, supporting High-Tech education and consolidating field players.
+
+
+
+ https://staging.giveth.io/project/Project-Tres
+ Project Tres
+ Project Tres supports women artisans through education and skills-training in India and Kenya. We believe that providing education on fair trade and self-sustainability is the key to create new life-changing economic and social opportunities.
+
+
+
+ https://staging.giveth.io/project/Snehalaya-Home-of-Love
+ Snehalaya Home of Love
+ Every child & woman has the right to lead a life, free from discrimination, inequality and exploitation. This is the key to our nation building" Dr Girish Kulkarni founder of Snehalaya. Snehalaya means Home of Love and its just that for many marginalised women and children in Maharashtra, India, who have no one else to turn to. <br><br>The goal is simple to combat poverty and exploitation of all people adversely affected by the commercial sex industry in India. To strive for the basic human rights of its clients through offering pathfinding and practical support methods. To continue to provide rescue, shelter and care for their vulnerable clients to find their way to a better empowered life. Snehalaya also is dedicated to giving support and operating without any religious or political agenda.
+
+
+
+ https://staging.giveth.io/project/Philippine-Business-for-Social-Progress
+ Philippine Business for Social Progress
+ Our vision: To be the leader in promoting business sector commitment to social development.<br><br>Our mission: PBSP is committed to the empowerment of the poor by promoting business sector leadership in, and commitment to, poverty reduction programs that lead to self-reliance.
+
+
+
+ https://staging.giveth.io/project/Southwest-Autism-Research-Resource-Center
+ Southwest Autism Research Resource Center
+ To advance research and provide a lifetime of support for individuals with autism and their families.
+
+
+
+ https://staging.giveth.io/project/Civic-Force
+ Civic Force
+ Develop a cross-sector collaboration platform aiming to immediately respond to disasters, collaborating with other sectors including the government, business and social sectors.
+
+
+
+ https://staging.giveth.io/project/Ensina-Brasil
+ Ensina Brasil
+ Our mission is to empower a network of leaders who, beginning with a transformational experience as full-time teachers in the most vulnerable schools in the country, with on-going training, will develop the commitment and knowledge necessary to multiply their impact and generate greater opportunities for all.
+
+
+
+ https://staging.giveth.io/project/Instituto-brasileiro-de-educacao-cultura-e-saude-para-o-desenvolvimento-humano-IBECDH
+ Instituto brasileiro de educacao, cultura e saude para o desenvolvimento humano - IBECDH
+ The Brazilian Institute of Education, Culture, and Health for Human Development - IBECDH is a private, non-profit institution with a social and inclusive character, recognized as being of national, state, and municipal public utility. It is qualified as a Social Organization in the State of Bahia and operates in providing services in both the public and private spheres, with the mission of serving society with humanization in its areas of operation.
+
+It is a non-profit entity whose primary objective is to use and disseminate innovative management practices, as well as the development and management of projects in its areas of operation, capable of maximizing results by providing professional services with the aim of human development, strengthening IBECDHs mission, which is to "promote human development and improve peoples quality of life, transmitting humanization, meaning that the public needs to feel welcomed to generate value. The experience must be positive from reception to the completion of a project. Care, respect, transparency, connection, and innovation are keywords in our practices.
+
+
+
+ https://staging.giveth.io/project/Facilitating-Action-for-Community-Empowerment-(FACE)
+ Facilitating Action for Community Empowerment (FACE)
+ Empowering communities to develop socially and economically in a peaceful environment.
+
+
+
+ https://staging.giveth.io/project/Thanda-UK
+ Thanda UK
+ Thandas mission is to empower people to create positive change - change in individuals, change in their communities, and eventually changes that impact the world.
+
+
+
+ https://staging.giveth.io/project/Thanet-Iceberg-Project
+ Thanet Iceberg Project
+
+
+
+
+ https://staging.giveth.io/project/The-ATLAS-Foundation
+ The ATLAS Foundation
+ To support people around the world through the power of Rugby
+
+
+
+ https://staging.giveth.io/project/Dogs-Inc
+ Dogs Inc
+ Dogs Inc transforms lives by creating and nurturing extraordinary partnerships between people and dogs.
+
+
+
+ https://staging.giveth.io/project/The-Bread-and-Butter-Thing
+ The Bread and Butter Thing
+
+
+
+
+ https://staging.giveth.io/project/Instituto-Batucar
+ Instituto Batucar
+ MISSION<br><br>Promoting the empowerment and the improvement of the quality of life of children, teenagers, youth, and communities in socioeconomic vulnerability through art, culture, education, and the body percussion as the main axis.
+
+
+
+ https://staging.giveth.io/project/The-Royal-Latin-School
+ The Royal Latin School
+ To advance the education of the pupils of The Royal Latin School and improve their moral development so that they may grow to full maturity as responsible citizens by the provision of funds, services, facilities and training, not normally provided by the local education authority, at the discretion of the trustees.
+
+
+
+ https://staging.giveth.io/project/TLC-Ministries
+ TLC Ministries
+ To lead and inspire community cohesion which enables the rapid, responsible placement of every child in need of a permanent, loving family.
+
+
+
+ https://staging.giveth.io/project/IkamvaYouth
+ IkamvaYouth
+ Mission<br><br>To enable disadvantaged youth to pull themselves and each other out of poverty and into tertiary education and/or employment. <br><br>Values<br><br>A culture of responsibility for self and others<br>Collaboration and peer-to-peer support<br>Commitment to impact through democratic processes<br>Integrity and openness<br>Paying-it-forward<br><br>Vision<br><br>Our culture of responsibility is creating a ripple effect of thriving individuals and communities. Our intergenerational ikamvanites provide access to quality education in inspirational spaces everywhere. We are an integrated network driving change by paying it forward.
+
+
+
+ https://staging.giveth.io/project/Aasraa-Trust
+ Aasraa Trust
+ Aasraa has a vision of life with dignity for children from the streets and slums of Dehradun. The cycle of poverty that governs their lives needs to be broken. We believe that the outside intervention needed to break this cycle is education and vocational training combined with healthcare and nutrition. OUR WORK FOR COVID RELIEF IS ONGOING SINCE MARCH 2020 - last year we fed daily wagers; this year we have helped equip Community Health Centers in 6 districts of Uttarakhand with medical equipment like concentrators, oxygen cylinders, nebulizers and medicines.
+
+
+
+ https://staging.giveth.io/project/Womens-Aid-CLG
+ Womens Aid CLG
+ Womens Aid is the leading national organisation that has been working in Ireland to stop domestic violence against <br>women and children since 1974. We work to make women and children safe from domestic violence by offering support to women and their families and friends, providing hope to those affected by abuse and working towards justice and social change. <br><br>We operate the 24hr National Freephone Helpline and a number of Dublin based One to One and Court Support Services. We also provide specialist training, conduct research, raise public awareness and lobby for positive government action.
+
+
+
+ https://staging.giveth.io/project/International-Bear-Association
+ International Bear Association
+ IBA advances scientific understanding and global conservation of the worlds 8 bear species.
+
+
+
+ https://staging.giveth.io/project/Tree-Of-Life-For-Animals-(TOLFA)
+ Tree Of Life For Animals (TOLFA)
+ TOLFAs mission is to provide vital and preventative healthcare to Indias ownerless animals and those belonging to low-income owners, as well as educate communities in their welfare and value
+
+
+
+ https://staging.giveth.io/project/Umduduzi-Hospice-Care-for-Children
+ Umduduzi - Hospice Care for Children
+ We bring compassion, dignity, relevant care and relief from discomfort and pain to children diagnosed with a life-threatening or life-limiting illness within KZN. This is done through direct patient care, mentorship, empowerment of caregivers, training and advocacy.
+
+
+
+ https://staging.giveth.io/project/Inspired2Become
+ Inspired2Become
+ We want to see young people reach their full potential. We aim to create this change by focusing on youth who gets over-looked many times and to inspire them, through positive role modeling, relationship building, coaching sport, mentoring life skills and creating opportunities.
+
+
+
+ https://staging.giveth.io/project/Seva-Mandir
+ Seva Mandir
+ Seva Mandirs mission is to make real the idea of society consisting of<br>free and equal citizens who are able to come together and solve the<br>problems that affect them in their particular contexts. The<br>commitment is to work for a paradigm of development and<br>governance that is democratic and polyarchic.<br>Seva Mandir seeks to institutionalise the idea that development and<br>governance is not only to be left to the State and its formal bodies like<br>the legislature and the bureaucracy, but that citizens and their<br>associations should engage separately and jointly with the State. The<br>mission briefly, is to construct the conditions in which citizens of plural<br>backgrounds and perspectives can come together and deliberate on<br>how they can work to benefit and empower the least advantaged in<br>society.
+
+
+
+ https://staging.giveth.io/project/Woodlawn-United
+ Woodlawn United
+ Woodlawn Foundation is the lead organization for Woodlawn United. Our mission is to provide leadership and resources to allow Woodlawn United to achieve its vision.
+
+
+
+ https://staging.giveth.io/project/Abalimi-Bezekhaya-Planters-of-the-Home
+ Abalimi Bezekhaya - Planters of the Home
+ Abalimi is a Volunteer Association working to empower the disadvantaged through its organic Urban Agriculture program & projects. We support our target groups ability to replicate their success and transform their lives in their urban and rural environments, through the following Key Result Areas: resource support; training; organisation building; facilitation of partnerships; research, monitoring and evaluation.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Civil-Contribuir-Al-Desarrollo-Local
+ Asociacion Civil Contribuir Al Desarrollo Local
+ Mayma is a program in its 17th year of operation, organized by Argentinian NGO Contribuir al Desarrollo Local, in alliance with other partner organizations in Latin America.<br><br>Maymas mission is to foster a new regenerative economy, based on collaboration and care of people and planet through the strengthening of social and environmental impact-driven entrepreneurs and businesses.<br><br>Mayma boosted more than 3,600 triple impact businesses in the past 17 years in Argentina, Chile, Colombia, Mexico and Uruguay, supported by a network of 400 mentors and using methodologies based on peer learning, mentoring, commercial links, education and access to financing and investment opportunities.<br><br>As of 2020 Mayma also started working with agriculture and aquaculture farmers, and entrepreneurs from the Green and Blue Economy, helping them to transition to sustainable, clean and regenerative practices.
+
+
+
+ https://staging.giveth.io/project/Worktree
+ Worktree
+ Provide a service to help schools place students on work experience. To enable all students in Milton Keynes to be employable.
+
+
+
+ https://staging.giveth.io/project/The-Cradle-of-Hope
+ The Cradle of Hope
+ MISSION:<br>To create and facilitate place of safety for abused, homeless and vulnerable women with their children as well as teenage girls where they can find shelter and safety, so that they can grow and learn life skills whilst keeping their children with them, thus keeping the family unit together. <br>Ensuring that their basic needs are met such as healthy food, toiletries, clothing and shelter. <br>Helping them prepare for their future by providing creative skills development and entrepreneurial training which will assist in ensuring long term self-sustainability. <br>Providing trauma debriefing, counselling and life coaching to help them find peace and acceptance with the past and help them move forward and plan for their future and reach their goals.
+
+
+
+ https://staging.giveth.io/project/Khmer-Cultural-Development-Institute
+ Khmer Cultural Development Institute
+ The mission of KCDI is to protect, preserve and develop Cambodian traditional arts and culture for future generations through education, training and awareness raising and to care for and heal vulnerable children.
+
+
+
+ https://staging.giveth.io/project/Stg-Green-Heritage-Fund-Suriname
+ Stg Green Heritage Fund Suriname
+ Green Heritage Fund Surinames Mission is to move all Surinamers to make wise decisions for the sustainable development of our natural resources.<br>Our vision is to create a society of people who work consciously towards the continued improvement of their environment, and the promotion of a green, clean and healthy Suriname.
+
+
+
+ https://staging.giveth.io/project/Bangladesh-Environment-and-Development-Society-(BEDS)
+ Bangladesh Environment and Development Society (BEDS)
+ BEDS mission is to build the capacity of the most vulnerable communities for ensuring sustainable use of natural resources, provide eco-friendly means of living, reduce the adverse impact of climate change and improve the socio-economic condition while maintaining the ecological balance.<br><br>Vision:<br>To promote ecological balance and create harmony between human and nature
+
+
+
+ https://staging.giveth.io/project/The-Turning-Point-Trust
+ The Turning Point Trust
+ Turning Point is a Christian charity working in the Nairobi slums. Our mission is to demonstrate Gods heart for the poor through programmes that relieve poverty, transform lives and restore hope amongst vulnerable children and their families.We offer a holistic range of programmes which provide children with access to education, healthcare and regular meals, in addition to providing them with psycho-social support. We also operate pioneering prevention projects aimed at supporting families.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Lifting-Hands
+ Fundacion Lifting Hands
+ Lifting Hands is a center for learning and motivation that impoverished community members can call home. It is a place volunteers share their time, expertise and experience with community members of all ages, developing strong bonds of friendship based on Gods love.
+
+
+
+ https://staging.giveth.io/project/Health-Opportunity-Partnership-and-Empowerment-in-Africa
+ Health Opportunity Partnership and Empowerment in Africa
+ To promote and implement a social development programme for the Anglican Church in Southern Africa for the improvement of the Spiritual, Physical and Emotional Well Being of the Poor and Oppressed People of Africa on a non-denominational basis.<br><br>Our Vision is to empower communities through an integral Mission including Health, Opportunity, Partnership, and Employment.<br><br>Our Strategic Objectives are to:<br>-- Understand the needs of the communities<br>-- Develop capacity of the Anglican Church of Southern Africa to respond to the needs<br>-- Create a support mechanism for life-long community development.<br><br>Our Programmatic Focus going forward include:<br>-- Community Sustainability: Creating a sustainable agenda for the communities we work with.<br>-- Food Security: Ensuring equitable production distribution and sharing or resources for community sustenance.<br>-- Public Policy: Building societies where individuals live and interact with their environment and one another by fulfilling their responsibilities as active citizens.<br>-- Socio-Economic Justice: Mutual respect of Human dignity, rights, and taking responsibility towards a creation of a holistic, comprehensive response that aims to repair, restore and balance the relationship between human being and the environment.
+
+
+
+ https://staging.giveth.io/project/Yemeni-Orgnazition-for-Development-and-Exchange-Technology
+ Yemeni Orgnazition for Development and Exchange Technology
+ Technology for Humanity
+
+
+
+ https://staging.giveth.io/project/South-African-Arts-Culture-Youth-Forum
+ South African Arts Culture Youth Forum
+ The South Africa Arts & Culture Youth Forum otherwise known as "SAACYF is a Non-Profit Organization established and registered to champion, promote and profile the rich diversity of arts, culture & heritage of our people. The forum is involved in the issues that affect youth development; the empowerment of artists; community development; and other issues on daily basis. The Forum is a National Organization that has its presence in all the 9 Provinces through its members.<br><br>The Mission of the South African Arts & Culture Youth Forum are as follows:<br><br>- To promotes the preservation and development of arts, culture and heritage in order to empower communities to help themselves and enable artists to showcase their work internationally. <br>-To develop arts, culture and promote heritage preservation of South African culture and diverse traditions nationally and internationally.<br>- To revive community arts centres to enable people across the country to enjoy a range of arts activities <br>- To promote partnership between Arts organizations, government and private sectors. <br>- To provide Consistent training of artists on the ground about the business of arts. <br>-To Create networking environment between South African Artists and the international Markets <br>-To create Job opportunities for Arts educators and administrators.
+
+
+
+ https://staging.giveth.io/project/Motheo-Primary-School
+ Motheo Primary School
+ Motheo Primary is committed to <br>Creating a meaningful learning opportunities for our learners<br>Ensuring that there is effective teaching and learning<br>Ensuring that our learners are literate, numerate and can think critically<br>Recognizing that each learner is unique, assisting and supporting them In unfolding their talents<br>Equipping our learners with skills to work individually and as a group<br>Encouraging involvement and participation of parents and the broader community in the learners education<br>Encouraging and motivating learners to take responsibility for their learning<br>Recognizing and rewarding excellence
+
+
+
+ https://staging.giveth.io/project/Join-Bands-Not-Gangs-NPC
+ Join Bands Not Gangs NPC
+ Join Bands, Not Gangs is a registered Non-Profit from Cape Town, South Africa (Reg.2018/341617/08) that acts as a supply chain for musical instruments. We use donated instruments to start programs that can help at-risk youth avoid joining gangs by staying constructively busy. So far so good!<br><br>Our mission is to find and bring in musical instruments (new and used) and then re-distribute them to underprivileged communities in a systematic way. We do this by partnering with fellow Non-Profits, Community Programs and Schools in the community on a grassroots level, thereby ensuring that music programs are sustainable and locally run. Our goal is to bring in and redistribute 1 million instruments.
+
+
+
+ https://staging.giveth.io/project/Baboon-Matters-Trust
+ Baboon Matters Trust
+ Baboon Matters provides a voice for baboons in a society which views them as problematic and expendable. <br>We advocate for the holistic and long-term environmental protection of baboons in South Africa, and offer effective, non-aggressive alternatives for managing human-baboon conflict.
+
+
+
+ https://staging.giveth.io/project/Coordination-Technique-Pour-Le-Developpment-(CTD)
+ Coordination Technique Pour Le Developpment (CTD)
+ MISSION OF CTD: The Development of Man<br> In October 1997, shortly after the death of the cruel Congolese military dictator Mobutu Sese Seki in September 1997, a group of young, idealistic professionals created an organization to use their combined talents for humanitarian purposes. Thus the non-profit, non-governmental, apolitical organization, Coordination technique pour le developpement, was formed. They were hopeful that a new government in Democratic Republic of Congo would foster opportunities for personal freedom and economic growth for the impoverished Congolese people. The first meeting included 5 agronomists, 1 doctor, 3 sociologists, 1 nurse, 1 veterinarian, 1 economist, and 2 rural development technicians. Within 3 weeks, CTD was established on Oct. 26, 1997, for "The Development of Man." A ten member board was organized, including a president, vice-president (Jacques Mwinkeu), and 2 treasurers.<br> CTD was formally recognized by the City of Lubumbashi on Oct. 28, 1997. Unfortunately, the next national government in DRC was another dictatorship and provided no services for the people: no schools, no roads, no clean water, no sewers, no electricity, no sidewalks, no libraries, nothing to promote economic growth and personal freedom. Only taxation to support President Kabila and his army.<br> Amazingly this group of young professionals has continued to perform humanitarian work, fighting against poverty, for 20 years! CTD, also known as CPC, does not have staff and employees. The work is voluntary. Currently there are 5 agronomists, 2 rural development technicians, 2 women experts in genres and families, 1 woman nurse, and 1 woman economist. CTD/CPCs money comes from members contributions, donations, bequeaths, international and humanitarian aid, and small income from work produced. The qualified technicians and agronomists provide training to villagers on cropping techniques, such as crop rotation, fallow land, use of chemical fertilizers, composting, and more. This NGO has great experience with the supervision of villagers, and they know very well those who are serious and credible. The poverty-stricken villagers do not contribute money to CTD, although they may be asked to repay some expenses as their incomes increase. CTD/CPC continues to work for "The Development of Man."<br>________________________<br> In Aug. 2017, I (Janet Cook) was approached by Jacques Mwinkeu, an original CTD member, to find financing for a CTD micro-farming project. This project, Project to Support the Improvement of Corn Yield, is true to the 20 mission of CTD/CPC and typical of their work for "The Development of Man." <br> Attracted by the opportunity to fight poverty in DRC, the self-sustainability of the project, and my personal knowledge of Jacques Mwinkeus integrity, a friend agreed to finance this micro-farming project. Following is an overview of this particular CTD/CPC project for which we are in the process of obtaining funding, translated by Google and myself. <br>Coordination technique pour le developpement <br>Email: Jacquesmwinkeu@gmail.com ctdms2002@gmail.com <br>Tel: 099 558 77 03 081 687 4625 <br>Office: No.350 114 Avenue Common Pin KANPEMBA Province Haut Katanga DR CONGO <br> PROJECT TO SUPPORT THE IMPROVEMENT OF CORN YIELD <br>1) PROJECT TITLE: Project to Support the Improvement of Corn Yield<br>2) RESPONSIBLE AGENCY: NGO / D Coordination Technology Development <br>3) Organization of execution: Technical Office of CPC/CTD <br>4) BODY FINANACEMNT: NGO <br>5) RADIUS OF ACTION: Valley Kafubu <br> Villages: Chileuge, Kibulu, Mwenda, Kiponda, and Kamankanga <br>6) PROJECT COST: USD 32,000 <br>7) LOCAL CONTRIBUTION: USD 4750 <br>8) FUNDING REQUESTS: USD 26,500 <br>9) DURATION: 1 Year, then self-sustaining, expand to new villages <br> 1. BODY AND HISTORY <br>The nongovernmental organization, Coordination Technical Development, also known as CTD and CPC, was formed 20 years ago. CPCs seasoned agronomists work with peasant farmer organizations principally in field work (food crops and market garden) specifically to improve cultivation techniques through teaching in the field. <br>2. BACKGROUND AND ISSUES <br> Corn is the main cash crop for all farm households in the mining highlands near Lubumbashi. The successive falling performance each crop year in vegetable growing sectors made the need for a program to help peasant organizations apparent.<br> In the years, 1980 to 1992 farmers made good yields of over 5 tons of production in 1 hectare of corn. That good production was due to the granting of credit for fertilizer and a coaching staff from CMG Mining Company through its social development office. The repayment of this credit was in kind from the harvest. The system of granting loans (credit) in chemical fertilizers, followed by technical supervision by CMG raised the standard of living for farmers and social stability within the farmers family. Unfortunately, since the fall of CMG Mining Company, the agricultural extension program has disappeared and consequently the social situation of farmers deteriorated because farmers were no longer able to pay the exorbitant price of fertilizer----which is currently $55 to $65 per 50 kg bag. Farmers manually plow and sow large areas, but without fertilizers, the harvest is very low. Current yields are only 800 kg/hectare. <br> Because of the soil (pH) in the mining highlands near Lubumbashi, the amount of chemical fertilizers needed to have a good corn crop production is 400 kg to 500 kg of fertilizer per hectare, (8 to 10 bags of 50 kg) plus 25 kg of hybrid seed/hectare. <br> The ngo CTD/CPC with Organization Peasant Association is launching a cry of alarm to philanthropic organizations and people of good faith to help save lives of thousands of field working families. <br> This pilot project is to start with an area of 50 hectares at the rate of 1 hectare/agricultural household. 50 families will be the main beneficiaries during a years cropping season. Each farm household cultivating 1 hectare will receive a loan of chemical fertilizers 400 kg (ie 8 bags of 50 kg equal to 4 bags of NPK and 4 urea bags) and 25 kg of hybrid maize seed. During harvesting, each family will receive 40 empty 50 kg bags to put 2000 kg of grain to pay at harvest. <br> In addition to fertilizer, seed, and empty bags, each beneficiary will receive technical supervision of CTD Agronomists. The Agronomist will be tasked to advise the farmer, beginning with the field measuring, plowing, and growing until harvest. <br> Individual fields are located in the 5 villages inside Kafubu Valley, in a 60km area to ease the mobility of Agronomists who regularly use the motor bike. <br> The distribution of inputs will be after the field visit by the CTD Agronomist accompanied by a member of the monitoring committee to be elected in each village. A contract listing supervision and repayment terms will be signed jointly by the CPC, the beneficiary farmer, and a member of the community monitoring committee.<br>3. TARGET GROUPS <br> Members of the Peasant Organization and other Farmers are the direct beneficiaries of agricultural inputs and technical supervision. <br>4. PROJECT OBJECTIVES <br> *To facilitate increased corn yield<br> *To contribute to food self-sufficiency <br> *To fight against poverty <br>5. PROJECT DESCRIPTION <br>The project is based on a loan of agricultural inputs consisting of 400 kg of chemical fertilizers, 200 kg urea, 25 kg of seed hybrid maize, 40 vacuum packing bags, and technical guidance. <br>The cost of this credit is: <br> 400 kg of fertilizer---8 bags of 50 kg x $ 55 = $ 440 <br> 40 vacuum packing bags of 50 kg x 0.37 = $ 15 <br> 25 kg of hybrid seed x $3 = $75 <br> Per diem for agronomists, fuel and lubricant motorcycle, transportation of fertilizer and corn=$95 <br>USD 440 + 15 + 75 + 95 = Usd $625 <br>5.1 Repayment<br>The grain corn price in the local market is Usd 0.32/kg so the credit granted Usd $625 gives a weight of 2,000 kg of maize grain to repay. Generally each farm household will have the duty to repay an amount of 2000kg of grain corn. After repayment of grain corn, the project will have a stock of 2,000kg x 50 (50 agricultural households) = 100.000kg corn grain to repay. <br>5.2 Project location <br>The project will be implemented in 5 sites (villages) in the valley Kafubu: Chilenge, Mwenda Kibulu, Kiponda and Kamakanga. <br>5.3 Activities to conduct <br>Acquire financing. Acquire input supply. Enroll 50 farm households. Visit and measure fields of each beneficiary. Training and signing of agreement. Distribution of inputs. Monitoring fields. Harvest. Reimbursement. Corn storage.<br>5.4 Financing <br>CTDs input=$4750usd Funding requested=$26500usd <br>6. PROFITABILITY OF PROJECT <br>After repayment of 2000kg corn, each Agricole will have on average corn 3500kg grain remaining. Each agricultural household will keep the family ration of 12 50kg bags of maize (600kg) for a 12 month supply. The 58 other bags (2900kg) will be held for sale or 2900kg x $0.32/ kg = $ 925 profit. The beneficiary will be able to buy own agricultural inputs for 1 Ha to grow maize for the next campaign. <br>The 100.000kg corn repayment by farmers will be sold by CTD/CPC at the local market price. 100.0000kg x 0.32 = $32,000usd. In that amount of Usd $32,000, NGO / A CPC shall have the duty to recover the loan money granted to the project of Usd$4,750 and the difference is Usd 32,000 - Usd 4.750 = USD$27,750 will be to purchase of another batch of agricultural inputs for the new beneficiary (50 agricultural households) for the next campaign. <br> We note that the project may gain from the sale of corn grain a slight surplus ($27750-$26490) = $740usd. The use of this money will be decided by the committee either added to the beneficiary members or be used for any other purpose useful to the project. Of course, if corn price goes down, the project will have less surplus.<br>Lubumbashi on 14 July 2017. <br> Louise CHINISH KANAM
+
+
+
+ https://staging.giveth.io/project/Food-for-Education-Foundation
+ Food for Education Foundation
+ At Food for Education, we believe that no child should learn while hungry. We are executing a radical plan to create Africas first viable, sustainable path to feed the continents 200 million public school children. Starting by feeding 1 million kids in Kenya, we are creating the blueprint for all 200 million children in Africa to receive a daily hot, nutritious, affordable meal. Our tech-driven model-designed by Africans for Africa-boosts markets by sourcing from local farmers, leverages economies of scale in production and distribution, and unlocks the potential of millions of children.<br><br>Hunger is one of the biggest-yet most solvable-challenges African children face. Despite Africas economic growth, 90% of children on the continent dont benefit from a minimum acceptable diet, with lifelong effects on their well-being and development.Kenya, where 43% of the population is of primary school-age, is at risk of leaving its youngest learners behind because of a solvable issue: lack of food. Families consistently struggle to feed their children: over half of the population is food insecure and 1 in every 4 children under 5 is stunted, which hinders learning and childrens future potential.<br><br>Hungry children do not have the strength, attention span, or interest to learn, posing serious consequences to their physical, socio-emotional, and cognitive development. These issues are exacerbated in urban and peri-urban communities, where inflation and high living costs make food one of Kenyas most urgent humanitarian needs. <br><br>The Covid-19 pandemic has exacerbated already dire food insecurity situations of many vulnerable Kenyans, particularly for women and girls. In Kenya, where year-on-year food inflation has increased by 27% means that some of the poorest families spend up to 58% of their income on food budget, pushing nutritious food out of reach for millions of Kenyan families. Further, the macroeconomic shocks induced by the Ukraine crisis has led to unavoidable increments in food costs, with food prices increasing by up to 70% over the past five months. Now, a Food for Education meal may be the only healthy, hot meal many children eat in a day. <br><br>Our objective is to tackle this vast, unmet need for food by leveraging the demonstrated effectiveness of school feeding programs as a critical and urgently needed social safety net. We provide hot, nutritious, subsidised school meals to some of the poorest children in Kenya: parents only pay $0.15/meal via mobile money and primary school students with our NFC smartwatches connected to a virtual wallet tap to eat in under 5 seconds. We currently feed 50,000 children daily and we are on track to serve 100,000 children in urban and peri-urban communities by the end of June 2023. We utilise an innovative hub-and-spoke system where meals are prepared in central kitchens (hub) and distributed through systematised logistics to a network of schools (spoke). Further, by engaging contract farmers and using a centralised sourcing structure, we are able to lock in prices up to 30% lower than market prices for our core ingredients, thus bringing down our operational costs. By providing a balanced diet every school day to 50,000 children in public primary schools across Kenya, Food for Education is pioneering a solution to combat growing classroom hunger. With most of the children we serve coming from low-income households earning less than $2 a day, our program is their surety of food security.
+
+
+
+ https://staging.giveth.io/project/Instituto-de-Cidadania-Kaleo
+ Instituto de Cidadania Kaleo
+
+
+
+
+ https://staging.giveth.io/project/Taipei-International-Community-Cultural-Foundation
+ Taipei International Community Cultural Foundation
+ Taipei International Community Cultural Foundation (TICCF) was established as a non-profit<br>foundation to supervise the operations of an English language broadcaster and media.Through<br>English language operations, such as concerts, English-related publications and talking books,<br>and other enterprises, the mission of TICCF is to promote the enhancement of quality of life of<br>Taiwans international community, promote the domestic business and investment environment,<br>and strengthen international cultural and educational exchanges.<br><br>TICCF funnels all of its outward facing operations through International Community Radio Taipei (ICRT FM100), which is a wholly owned subordinate not-for-profit operation.
+
+
+
+ https://staging.giveth.io/project/The-Nepal-Trust
+ The Nepal Trust
+ Working with health, community development and hope in the Hidden Himalayas. We work with local communities, government and NGOs in improving and implementing basic health care provision in remote areas, develop and conserve community infrastructures that contribute towards conservation of nature and culture and promote and create income generating opportunities to support the local economy with the aim of enabling sustainable projects, reducing poverty and improving the quality of life.
+
+
+
+ https://staging.giveth.io/project/HOPE-foundation
+ HOPE foundation
+ Mission<br>Statement:<br>Our mission is to help improve the lives and Communities of the under<br>privileged in India by providing sustainable. capacity building, health<br>and education programs, through staff and Volunteers, which empower<br>children and other vulnerable individuals and give them HOPE for a<br>brighter future.<br>Goals:
+
+
+
+ https://staging.giveth.io/project/Canadian-Red-Cross-Society
+ Canadian Red Cross Society
+ The Canadian Red Cross mission is to improve the lives of vulnerable people by mobilizing the power of humanity in Canada and around the world.
+
+
+
+ https://staging.giveth.io/project/Aldeas-Infantiles-SOS-de-Espana-(-SOS-Childrens-Villages-of-Spain-)
+ Aldeas Infantiles SOS de Espana ( SOS Childrens Villages of Spain )
+ We build families for children in need.<br>We help them shape their own futures. <br>We share in the development of their communities. <br><br>SOS Childrens Villages is an international non-governmental social development organisation that has been active in the field of childrens rights and committed to childrens needs and concerns since 1949. In 132 countries and territories our activities focus on children without parental care and children of families in difficult circumstances.
+
+
+
+ https://staging.giveth.io/project/Hope-Ministries
+ Hope Ministries
+ Our mission is to rescue those who are homeless, hungry, abused or addicted, providing opportunities for hope, recovery and restoration through the love of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Agastya-International-Foundation
+ Agastya International Foundation
+ Infuse and propagate a creative tempter in disadvantaged rural children and teachers through:<br> Experiential, hands-on science education<br> Teacher training and education<br> Scalable, sustainable and environment-friendly methods<br> Art and Ecology
+
+
+
+ https://staging.giveth.io/project/Fundacja-im-Doktora-Piotra-Janaszka-PODAJ-DALEJ-Doctor-Piotr-Janaszek-PAY-IT-FORWARD-Foundation
+ Fundacja im Doktora Piotra Janaszka PODAJ DALEJ Doctor Piotr Janaszek PAY IT FORWARD Foundation
+ Imagine a world in which people with disabilities do not feel like an obstacle, they work, have their passions, decide about themselves and are happy. Doctor Piotr Janaszek Pay It Forward Foundation helps to build such a world. <br>From 2004 we have provided rehabilitation and other forms of assistance to people with disabilities. Every year we offer aid to over 200 people who want to learn independence despite disability. They want their dreams to come true and have a happy life.<br><br>In special training apartments, people after accidents learn how to live in wheelchairs. During sport activities, they improve fitness and motivation. They prepare for work during trainings because they do not want to live on public assistance. They develop artistic talents and even started their own theater. Assistants help children to do homework, and with adults they do shopping, cook together, learn to move around the city. Disabled children from all over Poland come to our Little Explorers Camp to learn independence.<br><br>We are happy to share our knowledge with other organizations. Specialists from all over Poland come to the Foundation to learn modern methods of therapy through art. We give parents of disabled children training in coping with the hardships of everyday life and help them to organize better, so they have also time for themselves. We meet with children and young people in schools to inform them about disabilities and teach them how to avoid accidents. Teachers from all over Poland use our lesson plans. We prepare volunteers to work with the disabled. We train officials and professional drivers, including those in public transport in Konin. Thanks to our audits more and more buildings are accessible to people with disabilities.
+
+
+
+ https://staging.giveth.io/project/RaiseUp-Families
+ RaiseUp Families
+ RaiseUp Families stabilizes parents from vulnerable communities who face unexpected financial crises so their children can focus on their education, giving them the opportunity for a better life.
+
+
+
+ https://staging.giveth.io/project/Animal-Rescue-League-of-Boston
+ Animal Rescue League of Boston
+ The Animal Rescue League (ARL) is an unwavering champion for animals in need, committed to keeping them safe and healthy in habitats and homes.
+
+
+
+ https://staging.giveth.io/project/Basildon-Mind
+ Basildon Mind
+ Our vision is of a society that promotes and protects good mental health for all, and that treats people with experience of mental distress fairly, positively and with respect
+
+
+
+ https://staging.giveth.io/project/Yayasan-Dompet-Dhuafa-Republika
+ Yayasan Dompet Dhuafa Republika
+ 1. To become A Transformative Social Movement based on virtue values.<br>2. To shape an autonomus (self-relient) society through the economic development.<br>3. To actively involve in humanitarian movement through the global networking.<br>4. To build the transformative leadership with global competency.<br>5. To advocate policy in order to promote an equity.<br>6. To strengthten an internal capacity as a global institution through innovation, high quality service, transparency, accuntability, and independency .
+
+
+
+ https://staging.giveth.io/project/IBO-ITALIA
+ IBO ITALIA
+ IBO Italias commitment is part of the general framework of the 2030 Agenda for Sustainable Development, in particular with respect to the goals related to quality education, the reduction of inequalities and the promotion of peace, justice and solid institutions (goals 4, 10 and 16).<br>In concrete, IBO Italias mission is to promote access to education and training as fundamental rights for every person and opportunities for change for the whole community. In addition, we aim to involve young people in volunteer work and sharing experiences in order to promote social commitment, participation and responsibility. <br>Through its daily effort, IBO Italia promotes access to education and vocational training in developing countries, with local communities involvement and participation with the aim of developing social awareness among young people through experiences which support and help people in need. <br>Our goals are: <br>-to promote inclusive and quality education with awareness raising actions, involving families, schools and civil society and contributing to the creation of lifelong learning structures and environments; <br>-to strengthen the skills of teachers, educators and youth workers through new educational tools and methodologies, with particular attention to non-formal learning and the inclusion of young people with fewer opportunities <br>-to promote employment and access to decent work by promoting professional training;<br>-to foster international volunteering for young people and adults as an experience of growth, active citizenship and social inclusion; <br>-to propose Global Citizenship Education courses in schools and other educational contexts to encourage understanding of the causes of growing economic and social imbalances <br>-to spread the values of volunteering and commitment to ones community through awareness campaigns and good participation practices.
+
+
+
+ https://staging.giveth.io/project/Mathkind-Global
+ Mathkind Global
+ Our mission is to build quality math education programs through collaborative partnerships that drive greater social justice.
+
+
+
+ https://staging.giveth.io/project/North-Central-Church
+ North Central Church
+ To make reproducing disciples in a multiplying church.
+
+
+
+ https://staging.giveth.io/project/Teens-Unite-Fighting-Cancer
+ Teens Unite Fighting Cancer
+ Supporting young people fighting cancer to live their best life, while others search for a cure.
+
+
+
+ https://staging.giveth.io/project/Promocion-y-Accion-Comunitaria-IAP
+ Promocion y Accion Comunitaria, IAP
+ Help people in vulnerable situations through community services for children, youth, adults and seniors in Mexico city and other states of the country, providing food, education, health, housing and clothing, through our social programs, so that the community can have a better life.
+
+
+
+ https://staging.giveth.io/project/Special-Olympics-Ireland
+ Special Olympics Ireland
+ The mission of Special Olympics Ireland is "to provide year-round sports training and athletic competition in a variety of Olympic-type sports for children and adults with an intellectual disability, giving them continuing opportunities to develop physical fitness, demonstrate courage, experience joy and participate in a sharing of gifts, skills and friendships with their families, other Special Olympics athletes and the community.
+
+
+
+ https://staging.giveth.io/project/Health-and-Hope-UK
+ Health and Hope UK
+ To bring primary healthcare, education, hope and development to the poorest people in and around Chin State, Myanmar (Burma) through community engagement and empowerment.
+
+
+
+ https://staging.giveth.io/project/Advantage-Africa
+ Advantage Africa
+ Advantage Africa supports people affected by poverty, disability and HIV to improve their education, health and incomes. Our work in Kenya and Uganda helps people to help themselves and build a better future for their families and communities.
+
+
+
+ https://staging.giveth.io/project/Fast-Rural-Development-Program
+ Fast Rural Development Program
+ Fast Rural Development Program (FRDP) is a nonprofit and nongovernmental organization registered under the societies Act XXI of 1860, working in the underprivileged areas of Sindh, Pakistan since 2007. The Program is aimed at facilitating the disadvantaged communities in a way that they could be empowered to secure their rights with command over the resources and capabilities to manage the process of sustainable development. FRDP is involved with overall integrated development but its major focus is to promote Water and Sanitation, Health & Hygiene, Emergency Relief, improve Education, SRHR, MNCH, Poverty Alleviation, Promotion of Human Rights (especially the rights of women, children indigenous groups and persons with disabilities), Peace Building and Good Governance. <br><br>FRDP has well educated, experienced and committed members on its board. FRDP is known for its highly qualified, motivated and experienced staff, quality work, transparent systems and excellent perception among the communities, government and other relevant stakeholders at provincial, national and international level. FRDP has implemented a wide range of projects with its national and international partners including government in the fields as mentioned above. Some prominent partners are Sindh Education Foundation, UNICEF, FAO, IOM, Oxfam, Concern Worldwide, The Asia Foundation, Penny Appeal, Amir Khan Foundation and ActionAid. <br><br>The organization has up to the mark systems and policies which include Tally ERP Financial Software, Financial Policy, Admin & Logistic Policy, HR & Gender Policy, Internal & External Audit Systems and Complaint Response Mechanism. FRDP seeks the services of topmost auditors for its annual audit. FRDP believes in two-way monitoring system i.e. top to bottom and vice versa. FRDP has its well established and equipped Head Office in Hyderabad and a number of Field Offices in different districts.<br><br>Vision<br><br>Peaceful, socio-economically empowered and resilient society with ensured fundamental rights<br><br>Mission<br><br>Promote self resilience of communities by organizing and mobilizing them; and contributing in sustainable development through integrated, inclusive, environment friendly approach<br><br>Objectives<br><br>1) Provision of WASH facilities to most disadvantaged communities in its operational areas for improving their current health status along with health and hygiene education.<br><br>2) Improve nutritional status of pregnant, neonatal, children and lactating women in the most marginalized and excluded areas of Sindh with special focus on the critical first 1000 days from a womans pregnancy to that childs second birthday.<br><br>3) Assist communities to wrestle with natural calamities being resilient to climate change and emergencies in order to bail out from intricacies of emergency.<br><br>4) Render world class education incorporated with latest handy tools with ICT in all FRDPs schools for reaching poorest of poor for developing their future all-encompassing character building and morality<br><br>5) Strengthen Livelihood means and ways of communities to reduce their rooted poverty for their development and make them socio- economical self persistent and dependent.<br><br>6) Promote human rights especially those of children, women, laborers, PWDs and indigenous communities for their social, political and economic empowerment.<br><br>Core Values<br><br>1) Commitment and Dedication for humanitarian cause<br><br>2) Respect and dignity for all<br><br>3) Do No Harm<br><br>4) Honesty & Transparency<br><br>5) Inclusiveness<br><br>6) Gender & Cultural Sensitivity<br><br>7) Equality and Equity
+
+
+
+ https://staging.giveth.io/project/Irish-Hospice-Foundation
+ Irish Hospice Foundation
+ Our MISSION is to achieve dignity, comfort and choice for all people facing the end of life.
+
+
+
+ https://staging.giveth.io/project/The-Cedar-Foundation
+ The Cedar Foundation
+ The Cedar Foundation gives disadvantaged people in Bulgaria a better quality of care, a better quality of life.
+
+
+
+ https://staging.giveth.io/project/Mission-Dove-Cambodia
+ Mission Dove Cambodia
+ Emerging leaders are identified across religious boundaries and discipled through mentoring, and the facilitation of learning in creative, safe communities so that they can bring encouragement and empowerment to all their contexts.
+
+
+
+ https://staging.giveth.io/project/LK-Domain-Registry
+ LK Domain Registry
+ To be the most trusted contact point for guidance, support and safety tips for cyberspace related issues in Sri-Lanka.
+
+
+
+ https://staging.giveth.io/project/Union-of-Relief-and-Development-Associations
+ Union of Relief and Development Associations
+ We commit to assisting and nurturing human beings regardless of age, race, gender, nationality, faith or political affiliation. Whether we intervene in disaster relief or sustainable development actions, we serve both underserved Lebanese citizens as well as Palestinian and Syrian refugee communities to the highest international, professional, and ethical standards.
+
+
+
+ https://staging.giveth.io/project/Population-and-Community-Development-Association-(PDA)
+ Population and Community Development Association (PDA)
+ The Population and Community Development Association (PDA) is a non-governmental organization operating in Thailand that works to create a sustainable future for communities by working directly with people most in need, including people affected by HIV/AIDS, the rural poor, and children. It is chaired by former Thai Senator, Mr. Mechai Viravaidya.
+
+
+
+ https://staging.giveth.io/project/Central-London-Samaritans
+ Central London Samaritans
+ Central London Samaritans, based in Soho, is the founding branch of the charity. We provide round the clock, non-judgmental emotional support for anyone who is struggling to cope. We listen, give people the time and space to work through their problems and find their own way forward. In the year 2018/19, our 400 Listening Volunteers responded to over 80,000 calls for help via phone, SMS and Email, supported over 4,000 contacts face to face, helped over 2,000 of Londons most vulnerable people, including the homeless, the LGBT + community, those bereaved by suicide and people in prison. Our schools and university outreach programme raises awareness with young people and by working with businesses we are able to support and promote mental well-being in the workplace. We have never closed our phone lines since opening in 1953. It costs nearly £400,000 per annum to keep our phones and our door open. Our vision is that fewer people die by suicide.
+
+
+
+ https://staging.giveth.io/project/Daventry-Volunteer-Centre
+ Daventry Volunteer Centre
+ DVC promote all aspects of volunteering and recruits volunteers for local not for profit organisations and charities.
+
+
+
+ https://staging.giveth.io/project/University-of-Pretoria
+ University of Pretoria
+ To be a leading research-intensive university in Africa, recognised internationally for its quality, relevance and impact, and also for developing people, creating knowledge and making a difference locally and globally.
+
+
+
+ https://staging.giveth.io/project/hack
+ hack
+ Hack+ is a full-spectrum platform that enables students to launch and pursue startups, nonprofits, and events, with no fees attached. Through our programs, students gain access to valuable resources, organization management software, equipment, and a supportive community, all fusing together to create a cohesive platform for creating scalable impacts.
+
+
+
+ https://staging.giveth.io/project/Many-Mouths-One-Stomach
+ Many Mouths One Stomach
+ Many Mouths One Stomach (MMOS) is a Tucson-based collective of artists, teachers and community activists who come together with the intent to create, inspire, manifest and perpetuate modern festal culture.<br><br>“Festal Culture” is the expression and fulfillment of core human needs through public celebration, ceremony, and ritual. The All Souls Procession is an event that was created to serve the public need to mourn, reflect, and celebrate the universal experience of Death, through their ancestors, loved ones and the living. Our events establish a legacy that reclaims public space through art and blurs the line between participant and observer, ritual and performance. Together with our commitment to education, outreach, and collaboration, MMOS stewards a vision wherein the creative act becomes a mode of living.. Many Mouths One Stomach (MMOS) is a Tucson-based collective of artists, teachers and community activists who come together with the intent to create, inspire, manifest and perpetuate modern festal culture. Our primary focus is the production of The Annual All Souls Procession - which is a free, hyper-inclusive, participatory event to honor those who have passed. Grown from the robust, mixed heritage, grass roots artist culture in Tucson, AZ in 1990 - the event has grown to over 150,000 + participants each year from all corners of the Earth.
+
+
+
+ https://staging.giveth.io/project/Tributary-Initiative-for-Learning
+ Tributary Initiative for Learning
+ Mission: Tributary initiative for Learning mission is to employ essential skills, expertise and passion to improve the quality of education, employability, economic well-being and quality of life.<br><br>Goals:To create socially responsible, literate and mentally balanced employable young persons in the community.<br><br>Our founding principles hinges on integrity, gender equality, right to basic education and impart of life skills.
+
+
+
+ https://staging.giveth.io/project/Tai-O-Stray-Cat-Home
+ Tai O Stray Cat Home
+ - To promote cat adoption, help homeless cats to find homes;<br>- To spay/neuter cats rather than killing;<br>- To provide food to keep stray cats from going hungry;<br>- To provide basic medical treatment to stray cats;<br>- To promote the awareness of caring and protecting animals in the community.
+
+
+
+ https://staging.giveth.io/project/Communities-Health-Africa-Trust
+ Communities Health Africa Trust
+ CHATS mission is to support underserved individuals and communities in fragile ecosystems across Kenya to access family planning information and services.
+
+
+
+ https://staging.giveth.io/project/Green-Kenya
+ Green-Kenya
+ A world in which youth and adult learn, grow and work together as catalysts for positive change.
+
+
+
+ https://staging.giveth.io/project/Refugee-Womens-Centre
+ Refugee Womens Centre
+ To provide holistic support for migrant women and families living without shelter in informal outdoor settlements, or in surrounding accommodation centres across northern France. We are committed to creating safer spaces for women and children; to providing them with the means to live with dignity, and to advocating for access to shelter and for other human rights to be met.
+
+
+
+ https://staging.giveth.io/project/Awamaki
+ Awamaki
+ Awamaki collaborates with the greater Ollantaytambo community to create economic opportunities and improve social well-being.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Leer
+ Fundacion Leer
+ Fundacion Leer mission is to support families, teachers and volunteers to promote reading in children and young people as a daily practice, through effective, sustainable, scalable and appropriate proposals to their reality.
+
+
+
+ https://staging.giveth.io/project/CAMELEON-Association-France
+ CAMELEON Association France
+ Founded in 1998 by Laurence LIGIER, CAMELEON France is an association of international solidarity, with a mission of apolitical, non-denominational charity and assistance. <br>For 25 years, CAMELEON has been working in the Philippines and around the world, taking a holistic approach to addressing the causes and effects of sexual violence against children and adolescents. <br>Its mission revolves around programs aiming at: rebuilding victims, schooling, local development, awareness and advocacy. To date, more than 7600 children and families have been supported and more than 1200 have been sponsors worldwide.<br>The association works in the Philippines with its local partner, CAMELEON Association Philippines, but also in France and in Europe with the support of its partners, its country offices and its sponsors. <br>Our Goals per year:<br> To protect, rehabilitate and reintegrate 150 children, victims of sexual abuse, as well as social support and education to their families.<br> To provide education, health, professional instruction, and independence to 315 disadvantaged youths and their families.<br> To raise awareness among the general public and in the media on Childrens Rights and prevent mistreatment and sexual abuse.<br> To advocate and lobby decision-makers and politicians.
+
+
+
+ https://staging.giveth.io/project/ComunidadMujer
+ ComunidadMujer
+ Our purpose: That women be born in a society with equal rights and opportunities.
+
+
+
+ https://staging.giveth.io/project/BarbudanGO-Inc
+ BarbudanGO Inc
+ barbudanGOs mission is to give opportunity to sustain the pillars of community - alternative education, preservation of the environment, disaster mitigation measures, history and culture.
+
+
+
+ https://staging.giveth.io/project/Secours-Catholique-Caritas-France
+ Secours Catholique - Caritas France
+ Our purpose is to reduce poverty, bring hope and solidarity to poor communities or individuals in France and worldwide. We bring assistance to families, children and young people but also to the most vulnerable (homelesses, migrants, prisoners etc.). We fight against isolation, help them to find employement and we ensure their social reintegration. We provide emergency responses but also long term support, development aid and we work on the causes of poverty.<br><br>The action of Secours Catholique finds all its meaning in a global vision of poverty which aims at restoring the human persons dignity and is part and parcel of sustainable development. To do so, six key principles guide this action, both in France and abroad:<br> Promoting the place and words of people living in situations of poverty<br> Making each person a main player of their own development<br> Joining forces with people living in situations of poverty<br> Acting for the development of the human person in all its aspects<br> Acting on the causes of poverty and exclusion<br> Arousing solidarity<br><br>The actions of Secours Catholique are implemented by a network of local teams of volunteers integrated into the diocesan delegations and supported by the volunteers and employees of the national headquarters. On an international level, Secours Catholique acts in cooperation with its partners of the Caritas Internationalis network.<br>Key figures of Secours Catholique:<br> 100 diocesan or departmental delegations<br> 4,000 local teams<br> 65,000 volunteers<br> 974 employees<br> 2,174 reception centres<br> 3 centres : Cite Saint-Pierre in Lourdes, Maison<br>dAbraham in Jerusalem, Cedre in Paris<br> 18 housing centres managed by the Association des Cites of Secours Catholique<br> 162 Caritas Internationalis partners<br> 600,000 donors<br><br>Every year Secours Catholique encounters almost 700,000 situations of poverty and receives 1.6 million people (860,000 adults and 740,000 children).<br>This daily mission led in the field by the local teams and delegations, with the support of national headquarters, pursues three major objectives which aim at exceeding the distribution action and limited aid:<br> Receiving to reply to the primary needs (supplying food and/or health care aid, proposing accommodation, establishing an exchange and a fraternal dialogue, etc)<br> Supporting to restore social ties (bringing together people in difficulty with an aim to reinsertion, encouraging personal initiatives and collective projects,<br>establishing a mutual support helper-receiver of help relationship, etc)<br> Developing to strengthen solidarity (proposing long lasting solutions, establishing a follow-up over the long term, encouraging collective actions carried out by people in difficulty etc.)
+
+
+
+ https://staging.giveth.io/project/Asociacion-Civil-Nuestra-Primera-Pagina
+ Asociacion Civil Nuestra Primera Pagina
+ The mission of Asociacion Civil Nuestra Primera Pagina is to defend the right of people to know their Identity of Origin, or Biological Identity. To maximize family gatherings. To increase the base of Argentines who do Ancestral DNA test to find family relationships. To promote its use. To train in the use of this tools to search for family.
+
+
+
+ https://staging.giveth.io/project/Bien-Etre-et-Developpement-Durable
+ Bien Etre et Developpement Durable
+ We advocate for children, young people and women in vulnerable situations to protection and promotion of their rights, development and well-being socio-economic and work tirelessly to this effect for the reduction of poverty and the<br>protection of biodiversity
+
+
+
+ https://staging.giveth.io/project/I-AM-A-GIRL-NGO
+ I AM A GIRL NGO
+ I AM A GIRL, also referred to as the Community, is a holistic community modelled organisation based around the philosophy: Reach One; Teach One, which signifies that for every one (1) girl we reach, they in turn teach another. The purpose of the Community is to contribute to the continual progression of girls and youth by providing opportunities for girls to be more empowered through their overall growth into adulthood with guidance and support, by aiding in their development of skills, education, leadership, awareness, social responsibility, career and fellowship necessary to create positive change, not only within themselves but within their families and wider communities. <br><br>The overall services offered are capacity building, community development, mentorship, and advocacy. Further to that, through our flagship programme, the Community utilises drama therapy and creative expression as a means to shift negative cognitive behaviour patterns that are evident in girls aged five (5) to eighteen (18), who may have been exposed to domestic abuse, sexual abuse and violence, in many forms.<br><br>I. Mission<br>To inspire, empower, and provide opportunities with and for girls to lead, and create positive change, through a girl-led and girl-centred approach, that ensures girls feel powerful, proud, and protected.<br><br>II. Vision<br>To develop a positive shift in community spirit, and built an everlasting sisterhood among girls of every variety of background, locally and regionally. <br><br>III. Beneficiaries<br>Girls aged five (5) to eighteen (18) that may be "at risk". This term is used to illustrate that a particular segment of society is statistically more prone to be unsuccessful in various aspects of their lives due to the unfortunate circumstances directly or indirectly thrown at them and/or based on gender.<br><br>IV. Slogan<br>We are girls, SMART, RESILIENT & STRONG!<br><br>The Communitys overall objectives are as follows:<br>A. To develop the awareness and interest of its members and civil society, about social, economic and environmental issues related to young "at risk" girls;<br>B. To encourage young "at risk" girls to participate in training programmes to develop leadership skills, which would encourage further service contribution to their community;<br>C. To promote the welfare of the community and its young citizens through the planning and execution of comprehensive projects geared mainly towards young "at risk" girls;<br>D. To establish and maintain stronger relations with like-minded youth lead and youth focused groups, NGOs, other organizations, and the furtherance of understanding about the challenges young "at risk" girls face; and,<br>E. To accumulate effective solutions that can be developed to influence the decision making process on areas which affect young "at risk" girls.<br><br>I Am A Girl addresses five (5) main themes: <br>1. Education; <br>2. Motivation; <br>3. Community Empowerment; <br>4. Sustainable Growth; and,<br>5. Social Development.<br><br>All activities provides the girls with the tools needed to succeed in life and become leaders in their own right. Ultimately, this Community promotes the overall welfare of Barbadian youth by undertaking projects that are directly geared towards skills not afforded to all young girls within society. Overall programmes touch on elements of non-traditional historical teachings, financial tips and advice, business and project management, creative arts and production and environmental awareness, which are areas neglected to be shared with most girls in Barbados. <br><br>The solid membership base of this organization, the foundation for which is centred around mentorship, with the establishment and maintenance of relationships with other youth groups/organizations, trained counselling professionals and youth in general, themselves, come together to offer effective solutions for the problems being faced by the girls. <br><br>This Community aims to build a fresh culture within the Caribbean that demonstrates to all girls that being a girl is no curse; we are enough.
+
+
+
+ https://staging.giveth.io/project/Caritas-Austria
+ Caritas Austria
+ CARITAS AUSTRIA is an internationally operating non-profit organisation (donations are tax-deductible Reg. Nr. SO1126; equivalent 501(c)(3) US organization) under the mission of the Austrian Catholic church and pursues solely and directly charitable and benevolent objectives. CARITAS AUSTRIA relief work addresses the needy in their entirety, taking also into consideration their physical, psychological and spiritual-religious backgrounds. CARITAS AUSTRIA <br>commits itself to providing assistance to people in need which is done without regard to creed, ethnicity or ideology of those seeking help. In its operations CARITAS AUSTRIA is guided by respect for the dignity and self-determination of the people it serves. There are more than 1,000 places throughout Austria where CARITAS AUSTRIA helps people in need. In the areas of caregiving, supporting people with disabilities, hospices, in the social counseling centers, on assignment for families in need or for older people who cannot afford heating. CARITAS AUSTRIA - this comprises its fulltime staff, but above all, also the roughly 50.000 volunteers and each and every one of you who supports our work. CARITAS AUSTRIAs main activities are aiming at social support and advocacy for those in need. These activities are taking place in Austria and abroad, whereas the main focus is lying on national work in Austria. Inside and outside of Austria, CARITAS AUSTRIA always aims at addressing the basic needs of the vulnerable taking also into consideration their social and cultural background.
+
+
+
+ https://staging.giveth.io/project/AITAACC-AIT-Alumni-Association-Cambodia-Chapter
+ AITAACC - AIT Alumni Association Cambodia Chapter
+ To participate in Corporate Social Responsibilities (CSR)<br>To engage our members<br>To promote AITAACC brand<br>To be an information center<br>To be a job center<br>To be business networking
+
+
+
+ https://staging.giveth.io/project/Big-Brothers-Big-Sisters-Of-Peel-Inc
+ Big Brothers Big Sisters Of Peel Inc
+
+
+
+
+ https://staging.giveth.io/project/Houston-Center-for-Contemporary-Craft
+ Houston Center for Contemporary Craft
+ Houston Center for Contemporary Craft mission is to advance education about the product, process and history of craft.
+
+
+
+ https://staging.giveth.io/project/WenakLabs
+ WenakLabs
+ WenakLabs defines itself as a space of co-creation and collective intelligence.<br><br>Our mission is to democratize the Internet and ICTs to a general public but also to constitute the missing added chains between the idea of creating a business and its establishment as a business with high added value.<br><br>The vision shared by the co-founders of WenakLabs is to constitute the missing link between the idea of creating a company and its establishment as a company with high added value. To do this, the following missions will be at the heart of the structures activities:<br> Raising awareness among young people of entrepreneurial culture in all its forms by using innovative methods to help entrepreneurs develop their projects;<br> Sensitization of young people to the good uses of ICT, and contribute to the development of digital culture in Chad;<br> Contribution to the development of the digital economy in Chad<br> Creation of a network throughout the national territory;<br> Promotion of the circular economy and adaptation to climate change<br> Contribution to the economic development of Chad.
+
+
+
+ https://staging.giveth.io/project/Observatoire-Ivoirien-des-Droits-de-lHomme-(OIDH)
+ Observatoire Ivoirien des Droits de lHomme (OIDH)
+ To Promote, Protect and Defend Human Rights in Cote dIvoire and beyond.
+
+
+
+ https://staging.giveth.io/project/Ba-Futuru-For-the-Future
+ Ba Futuru For the Future
+ Ba Futuru is a leading not-for-profit organization that uses innovative approaches to inspire young learners, protect children, empower women and reduce violence in post-conflict Timor-Leste. Ba Futurus vision is a Timor-Leste free of violence, where all citizens, especially women, children and young people, can engage meaningfully in the countrys development in a peaceful, positive and productive way.
+
+
+
+ https://staging.giveth.io/project/Al-Baaz-Al-Ashab
+ Al Baaz Al Ashab
+ Al Baaz Al Ashabs primary mission is to alleviate hunger and poverty by directly distributing food items and relief packages to lower income households so that they can focus on livelihood promotion goals. We aim to accomplish this by mobilizing available resources efficiently combined with voluntary community engagement. <br><br>How we mobilize our resources efficiently is by buying raw materials in large quantities at wholesale prices thereby taking advantages of economies of scale, in addition to relying on our generous donors for supplies. We then create employment by hiring our own staff to make large quantities of the food and we then distribute it for free. What this does is it allows us to get the most out of our rand as we possibly can. Using this strategy, we distribute cooked meals 6 days a week.<br><br>In conclusion, our mission is to lead the fight against hunger in Ladysmith by feeding the poor and adding value to society.
+
+
+
+ https://staging.giveth.io/project/Citizens-Alliance-for-North-Korean-Human-Rights
+ Citizens Alliance for North Korean Human Rights
+ Our mission is to protect lives and human rights of North Korean people. We strive to achieve our goal through assistance to North Korean refugees hiding in third countries and continue to assist them with their re-settlement and education in South Korea. Our ultimate goal is to support a development of a generation of successful young North Koreans who will drive toward peaceful re-unification of the two countries and will become a bridge between North and South, if the two countries unify. In supporting human rights improvements in the country, we focus on providing information about the situation inside and encouraging international community to raise their voice against the abuses.
+
+
+
+ https://staging.giveth.io/project/Global-Welfare-Foundation
+ Global Welfare Foundation
+ Is to serve Individuals and families in the poorest communities in the Drawer strength from our global resources and experience <br>We promote innovate solution and advocate for global responsibility
+
+
+
+ https://staging.giveth.io/project/Prison-Dharma-Network-Inc
+ Prison Dharma Network, Inc
+ PDNs mission is to provide prisoners, and those who work with them, with the most effective, trauma-informed, mindfulness-based interventions for self-transformation and rehabilitation.
+
+We support prisoners in the practice of contemplative disciplines, with an emphasis on mindfulness meditation.
+
+We support corrections professionals, law enforcement, and other public safety professionals and first responders with mindfulness-based wellness & resiliency (MBWR) programs to lower occupational risk and support staff health and safety.
+
+We believe in the power of the various mindfulness-awareness practices and body-mind disciplines of the worlds contemplative traditions to change behaviors, transform lives, reduce recidivism, prevent crime, and enhance community safety and well-being.
+
+
+
+ https://staging.giveth.io/project/United-Women-Singapore
+ United Women Singapore
+ United Women Singapore is a self-funded non-profit organization with a mission with a focus on womens empowerment and gender equality and build a pipeline of women leaders and influencers in Singapore and the region. We work to raise funds to support projects and organisations, and actively put issues affecting women on the agenda of leaders and organisations that can make a difference.<br><br><br>United Women Singapore has an Institution of Public Character (IPC) status and all donations received are tax-deductible based on employment and companies registered in Singapore
+
+
+
+ https://staging.giveth.io/project/African-Mums-in-Deutschland-ev
+ African Mums in Deutschland ev
+ African Mums in Deutschland began as a Facebook group in August 2018 and has now expanded to over 5100 members. The aim of African Mums in Deutschland is to encourage and equip women of African heritage and their families with the information and resources that can enable them to successfully integrate and thrive in Germany as well as achieve whatever socio-economic goals they set for themselves. <br>We use our platforms to provide accurate and clear information in a safe none judgmental environment about life, opportunities and avenues for development in Germany <br>We recognise that our target group is a very vulnerable population and run several that can assist such as our helpline, our online German language course, translation services,support committees,and networking events.
+
+
+
+ https://staging.giveth.io/project/Better-Days-Greece
+ Better Days Greece
+ We are committed to creating sustainable blueprints that can be replicated globally. Our mission in Greece is to build positive spaces that guarantee access to quality education and life-changing opportunities for displaced children and young adults. Better Days envisions a world in which all displaced people are guaranteed access to education in accordance with the Convention Relating to the Status of Refugees. We contribute to a future where no child, under any circumstances, is forced to endure the trauma, stagnation, and dehumanization that millions of children currently face. We are committed to building a world that treats all people with dignity and humanity.
+
+
+
+ https://staging.giveth.io/project/ODC-Organization
+ ODC Organization
+ Our Mission <br><br>To provide quality values-based English education to under-privileged children and youth in rural areas of Cambodia and equip them with the skills to access opportunities for employment. <br><br>Our Vision <br>To use English education as a bridge to build a community of shared values in Cambodia, where people work together, to improve their familys economic conditions and enable them to make contributions back to society as a whole. Our dream is to transform lives of the youth in Cambodia so that they can play a part in making this world a better place for future generations of Cambodians and people of the world.<br><br>Our Objectives<br>1. To provide quality English education that focuses on the four macro skills <br>2. To instil values in our children and youth so they develop ethics to build a strong society in Cambodia <br>3. To equip the youth with the skills to access opportunities for employment and as a result lift their families out of poverty.
+
+
+
+ https://staging.giveth.io/project/Seattle-Childrens-Hospital-Foundation
+ Seattle Childrens Hospital Foundation
+ We provide hope, care and cures to help every child live the healthiest and most fulfilling life possible.
+
+
+
+ https://staging.giveth.io/project/AJCAD-MALI
+ AJCAD-MALI
+ AJCADs mission is to support young people in synergy with other organizations and to bring their voice to all decision-making bodies. We are committed to defending their rights, mobilizing them, informing them, training them so that they become active, competent, productive and responsible citizens.
+
+
+
+ https://staging.giveth.io/project/Equipo-Latinoamericano-de-Justicia-y-Genero-Asociacion-Civil-ELA
+ Equipo Latinoamericano de Justicia y Genero Asociacion Civil - ELA
+
+
+
+
+ https://staging.giveth.io/project/Veterans-Community-Project-Inc
+ Veterans Community Project, Inc
+ Veterans housing veterans, armed with the strength and support of the community.. Veterans Community Project is a 501(c)(3) nonprofit corporation founded by a group of combat Veterans in Kansas City, Missouri who resolved to stand in the gaps of a broken system that left too many of their brothers and sisters behind. By providing critical support services and an innovative transitional housing model, VCP has served thousands of at-risk and homeless Veterans since 2016. Using Kansas City as a blueprint, VCP is expanding its program to Longmont, CO; St. Louis, MO; Sioux Falls, SD; and Oklahoma City, <br><br>VCP’s long-term goal: ending veteran homelessness nationwide. For more information, visit www.vcp.org.
+
+
+
+ https://staging.giveth.io/project/NEW-STEPS-FOUNDATION
+ NEW STEPS FOUNDATION
+ The New Steps Foundation was founded in 2016 with the aim of providing holistic support to children with special needs and their families. We believe that each child is valuable and unique and we try to assist parents in developing their childs abilities to their full potential by meeting their emotional, spiritual, social, educational and physical needs.
+
+
+
+ https://staging.giveth.io/project/Dispositif-dInitiatives-pour-les-Metiers-de-lArtisanat
+ Dispositif dInitiatives pour les Metiers de lArtisanat
+ Our mission is to give young people the skills to earn their living as artisans, to increase the incomes of practicing artisans, and to preserve traditional arts in Niger. We do this by providing training, equipment, and access to markets.
+
+
+
+ https://staging.giveth.io/project/Boys-and-Girls-Club-of-Vista-Inc
+ Boys and Girls Club of Vista Inc
+ The mission of the Boys & Girls Club of Vista (BGCV) is to empower every Club member, through safe and impactful experiences to: graduate high school with a plan for college or a career, contribute to their community, and live a healthy life.
+
+
+
+ https://staging.giveth.io/project/The-Sunshine-Charity
+ The Sunshine Charity
+ To invest in vulnerable children of marginalized families living in remote areas of the Eastern Province by providing them with access to basic primary education, health care and well being.
+
+
+
+ https://staging.giveth.io/project/CR-HOPE-FOUNDATION
+ CR HOPE FOUNDATION
+ CR HOPE Foundations mission is to inspire children through quality education & lifelong learning and create the sustainability for lasting success to strengthen their local communities and reduce poverty.
+
+
+
+ https://staging.giveth.io/project/Aspire-Rwanda
+ Aspire Rwanda
+ Aspire Rwanda is dedicated to equipping vulnerable and impoverished women and youth with the knowledge, skills, self-esteem, and mutual support networks to lift themselves and their families out of poverty.
+
+
+
+ https://staging.giveth.io/project/Critical-Education-Association
+ Critical Education Association
+ The aim of the Association is scientific and social activity in the area of development and education of communities at risk of exclusion, including the activation of women and educational, educational and charitable activities for children and youth.<br>- Creating conditions conducive to the integration of local environments.<br>- Equal educational opportunities for women and children from areas at risk of exclusion.<br>- Counteracting discrimination based on gender, age, socio-economic status, religion, race and ethnicity.<br>- Promotion and protection of freedoms and human rights and civil liberties.<br>- Action to eliminate the disadvantage of women in public life, in the labour market, in society and in culture.<br>- Promotion of equality between women and men, in particular in the labour market and in the domestic sphere.<br>- Counteracting violence against women, children and young people.<br>- Removing barriers related to access to knowledge about new technologies and educational opportunities.<br>- Supporting small businesses and social cooperatives.<br>- Civic and ecological education for local communities.<br>- Preserving cultural traditions and natural heritage<br>- Activities for European integration and support for contacts between communities.
+
+
+
+ https://staging.giveth.io/project/Society-for-development-of-human-resources-and-social-programs-NOVUS
+ Society for development of human resources and social programs NOVUS
+ The mission of Society for development of human resources and social programs NOVUS is development of human resources, philanthropy and social programs, promoting partnerships, networking and associations of NGOs and other legal entities and providing free assistance to vulnerable groups, NGOs and other legal entities in the form of education.
+
+
+
+ https://staging.giveth.io/project/Slovak-Red-Cross-Bratislava-City
+ Slovak Red Cross, Bratislava City
+ In compliance with the Geneva Conventions and their additional amendment protocols and the resolutions of international conferences of the Slovak Red Cross and Red Crescent Movement, the Slovak Red Cross Society shall perform the following essential duties in times of peace as well as in times of war or warfare): a) to act as an solely recognized auxiliary organization of military health care facilities and health care units) and to be solely authorized to prepare and carry out auxiliary military medical service for which purpose it shall recruit, register, organise and train voluntary medical workers and volunteers of the Slovak Red Cross Society; b) to participate in the civil protection of population for which purpose it shall cooperate with state administration authorities at the civil protection department and may provide for medical, emergency and other humanitarian help in case of extraordinary events) and emergencies), and on the basis of an agreement with the Ministry of Interior of the Slovak Republic (hereinafter referred to as "ministry of interior") to fulfil other tasks established by special law; c) to cooperate in organising, rendering and intervening medical and life-saving help and to organize, render and intervene other humanitarian help in the case of extraordinary events and emergency situations in affected areas also outside the territory of the Slovak Republic on the basis of appeals or impulses made by the relevant state bodies as well as at its sole discretion; d) to act as a component part of the integrated rescue system; e) to be authorized to carry out training and instruction of the population concerning firstaid treatment under a special regulation) based on accreditation from the Ministry of Health of the Slovak Republic (hereinafter referred to as "ministry of health"); f) to organize and provide for voluntary blood donations and the taking of other blood products for diagnostic and medical purposes on the basis of an agreement with the ministry of health and in collaboration with health care facilities, especially in cooperation with the National Transfusion Service of the Slovak Republic; g) to assist the state administration bodies in the area of health care upon securing other health and rescue services, h) to provide for social assistance under a special regulation and for humanitarian care in cooperation and on the basis of agreements with the Ministry of Labour, Social Affairs and Family of the Slovak Republic (hereinafter referred to as "ministry of labour") and other state administration bodies in the area social assistance, i) to provide for search services under the Geneva Conventions and their additional amendment protocols 1) and relevant international rules under the assistance of the Police Force of the Slovak Republic, state administration bodies, municipalities and higher territorial units which are in this connection obliged to provide assistance and the necessary information to the Slovak Red Cross Society; j) to make the population familiar with the fundamental Red Cross principles and the rules of international humanitarian law, to disseminate ideas of peace, peaceful coexistence, mutual respect and understanding among people, nations and states and to participate in organising and performing instruction regarding international humanitarian law on the basis of agreements with universities and higher education institutions and secondary schools; k) to award voluntary blood donors with bronze, silver, gold and diamond plaques of prof. MUDr. Jan Jansky and medals of MUDr. Jan Knazovicky; the details of such awards shall be stipulated in the Statutes of the Slovak Red Cross Society (hereinafter referred to as "Statutes"); l) to award citizens of the Slovak Republic who put their own life at risk when ministering help to another physical person whose life was in imminent danger with the "For Life Saving" medal and to award citizens of the Slovak Republic with other prizes for their lifelong voluntary service to humanity; the details of such awards shall be stipulated by the statutes;
+
+
+
+ https://staging.giveth.io/project/Agro-Pastoral-Charity-Organization-(APCO)
+ Agro-Pastoral Charity Organization (APCO)
+ Working together for socio- economic development to target societies through strengthening their capacity and the implementation of the programs, humanitarian protection and interventions with participatory approach to all levels of community to defeat poverty, ignorance and reach prosperous with stability and protective environment.
+
+
+
+ https://staging.giveth.io/project/Club-des-Amis-du-Village
+ Club des Amis du Village
+ The mission of the NGO CAV is to contribute to the improvement of the social, economic and health conditions of grassroots communities with particular emphasis on the promotion of women and the protection from childhood.
+
+
+
+ https://staging.giveth.io/project/Sista-Vanuatu
+ Sista Vanuatu
+ Our mission is to work with women and girls to promote gender justice and womens representation in Vanuatu.
+
+
+
+ https://staging.giveth.io/project/Pegode-vzw
+ Pegode vzw
+ Pegode is a network of permanently linked projects.<br><br>These projects provide customized support to persons with disabilities.<br><br>At Pegode the client has control over his own life.<br><br>Pegode support with questions about all areas of life, actively participates in an inclusive society and investing in expertise, creativity and commitment of its employees.
+
+
+
+ https://staging.giveth.io/project/WATSI
+ WATSI
+ Directly connecting people through technology to provide global access to healthcare.
+
+
+
+ https://staging.giveth.io/project/Germantown-Friends-School
+ Germantown Friends School
+ Our mission is to seek truth, challenge the intellect, honor differences, embrace the city, and nurture each student’s mind, body and spirit.
+
+
+
+ https://staging.giveth.io/project/Irene-Homes
+ Irene Homes
+ Irene Homes is an Anglican Church organization, providing residential and daycare support and skills training to women and men who are intellectually disabled, of all Christian denominations and other faiths, with the ultimate goal of improved self-awareness, self-growth, and job creation.
+
+
+
+ https://staging.giveth.io/project/Community-Action-Partnership-of-Orange-County-(CAP-OC)
+ Community Action Partnership of Orange County (CAP OC)
+ We seek to end and prevent poverty by stabilizing, sustaining and empowering people with the resources they need when they need them. By forging strategic partnerships, we form a powerful force to improve our community.
+
+
+
+ https://staging.giveth.io/project/NSW-Wildlife-Information-Rescue-Education-Service-(WIRES)
+ NSW Wildlife Information Rescue Education Service (WIRES)
+ Our mission is to actively rehabilitate and preserve Australian wildlife and inspire others to do the same.
+
+
+
+ https://staging.giveth.io/project/Hands-for-Hunger
+ Hands for Hunger
+ We are committed to eliminating hunger in The Bahamas.
+
+
+
+ https://staging.giveth.io/project/JAAGO-Foundation
+ JAAGO Foundation
+ JAAGO Foundation aims for the betterment of the nation through catering the educational needs of children from socially and economically disadvantaged background and empowering the youth along with inspiring volunteerism in Bangladesh. JAAGO focuses on creating an equitable world for everyone regardless of gender, class, ethnicity, location, religious and sexual orientation by empowering the most marginalized.
+
+
+
+ https://staging.giveth.io/project/European-Food-Banks-Federation
+ European Food Banks Federation
+ The mission of FEBA consists in contributing to the reduction of hunger and malnutrition in Europe, through the fight against food waste and the call for solidarity, by supporting and developing Food Banks in coutries where they are most needed.<br>FEBA bases its activity on these values: giving, sharing, European solidarity and fighting food waste.
+
+
+
+ https://staging.giveth.io/project/Armour-Dance-Theatre
+ Armour Dance Theatre
+ Armour Dance Theatre uses the power of exceptional dance training to ensure every student reaches their full potential.
+
+
+
+ https://staging.giveth.io/project/Messenger-International-Inc
+ Messenger International, Inc
+ Messenger International exists to help individuals, families, churches, and nations
+realize and experience the transforming power of Gods Word. This realization
+will result in lives empowered, communities transformed, and a dynamic response
+to the injustices plaguing our world.
+
+
+
+ https://staging.giveth.io/project/Cruz-Vermelha-Brasileira
+ Cruz Vermelha Brasileira
+ The CRUZ VERMELHA BRASILEIRA institution is duly authorized by local laws to receive donations according to the legislation. <br><br>BRAZILIAN RED CROSS <br>The Brazilian Red Cross, founded on December 5, 1908, is constituted on the basis of the Geneva Conventions, of which Brazil is a signatory. It is a civil, non-profit, philanthropic, independent association, declared by the Brazilian government of international public utility, of voluntary help, auxiliary of the public powers and, in particular, of the military health services.<br>Mission<br>To alleviate human suffering without distinction of race, religion, social condition, gender, or political opinion.<br>Values - Fundamental Principles<br>- HUMANITY:<br>It spares no effort to prevent and alleviate human suffering under any circumstances. It seeks not only to protect life and health, but also to ensure respect for human beings. Promotes mutual understanding, friendship, cooperation and lasting peace among all peoples.<br>- IMPARTIALITY:<br>It does not discriminate on the basis of nationality, race, religion, social status, gender, or political opinion. It seeks only to alleviate human suffering by giving priority to the most urgent cases of misfortune.<br> <br>- NEUTRALITY:<br>Refrains from taking sides in hostilities or participating at any time in controversies of a political, racial, religious or ideological nature.<br> <br>- INDEPENDENCE:<br>It is independent and must maintain its autonomy, even in the actions of National Societies, as auxiliaries of the public authorities in their humanitarian activities, subject to the laws governing their respective countries, in order to act always in accordance with the Fundamental Principles of the Red Cross.<br> <br>- VOLUNTEERING:<br>Is a Voluntary Relief Institution without any profit-making purpose <br>- UNITY:<br>It is unique. There can be only one Red Cross Society in each country. It is open to all and exercises its humanitarian action throughout the national territory. <br>- UNIVERSALITY:<br>It is a worldwide institution, in which all Societies have equal rights and share equal responsibilities and duties, helping each other. <br>The Brazilian Red Cross, recognized by the Brazilian government as a society of voluntary help, autonomous, auxiliary of the public powers, and in particular, of the military health services, is the only one authorized to exercise its work throughout the national territory. It maintains a Central Body, in the City of Rio de Janeiro, which coordinates, supervises, guides and regulates the activities of its Branches, which are its operational arms distributed throughout the country, which follow the same molds of the International Movement.<br> <br>Objectives: <br>- Save lives in disasters, prevent diseases and support local recovery.<br>- Ensure safe health and life.<br>- Promote social inclusion and a culture of nonviolence.
+
+
+
+ https://staging.giveth.io/project/GRAACC-Support-Group-for-Adolescents-and-Children-with-Cancer
+ GRAACC - Support Group for Adolescents and Children with Cancer
+ GRAACCs mission is to guarantee that children and adolescents with cancer have the right to all the possibilities of cure with quality of life, using the most advanced scientific standard and minimum impact to the childhood experience.
+
+
+
+ https://staging.giveth.io/project/Womens-Resource-Center
+ Womens Resource Center
+ Womens Resource Center provides women and girls in Cambodia with emotional support, referral services, and informal education so they can be empowered to make informed decisions about their lives.
+
+
+
+ https://staging.giveth.io/project/Equal-Chance
+ Equal Chance
+ To equip vulnerable (low-income and homeless) black people and Black Canadians with concrete tools to fight the barriers formed against them and contribute to building a society in which our communities, our women, our men, our youth and gender diverse people will have equal opportunities, chances and access to important/vital resources by working closely with various departments, companies, organizations and Allies locally and internationally.
+
+
+
+ https://staging.giveth.io/project/Somali-Hope-Academy-Foundation
+ Somali Hope Academy Foundation
+ To provide free, high quality and equitable education to girls and boys in rural Somalia.
+
+
+
+ https://staging.giveth.io/project/Israeli-American-Council
+ Israeli-American Council
+ The mission of the Israeli-American Council (IAC) is to build an engaged and united Israeli-American community that strengthens the Israeli and Jewish identity of our next generation, the American Jewish community, and the bond between the peoples of the United States and the State of Israel.
+
+
+
+ https://staging.giveth.io/project/Gorilla-Doctors
+ Gorilla Doctors
+ Gorilla Doctors is the only organization in the world dedicated to conserving mountain and eastern lowland (Grauers) gorillas in Rwanda, Uganda and DR Congo through veterinary medicine, science and a One Health approach.
+
+
+
+ https://staging.giveth.io/project/CISAS
+ CISAS
+ To strengthen citizens organizations to promote the empowerment of the communities, especially Nicaraguan in Costa Rica in the framework of human rights and primary health care, through education, communication and organization skills and capacities.
+
+
+
+ https://staging.giveth.io/project/Health-Leads
+ Health Leads
+ Health Leads is an innovation hub that unearths & addresses the deep societal roots of racial inequity that impact health. We partner with communities and health systems to address systemic causes of inequity and disease. We do this by removing barriers that keep people from identifying, accessing, and choosing the resources everyone needs to be healthy.
+
+
+
+ https://staging.giveth.io/project/Family-Promise
+ Family Promise
+ Our mission is to help families experiencing homelessness and low-income families achieve sustainable independence through a community-based response.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Venezolana-de-Conciertos
+ Asociacion Venezolana de Conciertos
+ Our mission is to contribute to the formation of the individual through the study and dissemination of culture with an approach that integrates the arts and sciences, whilst promoting the generation of new civic values, quality of life and spaces for social integration.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Nativo
+ Fundacion Nativo
+ Fundacion Nativo is a non-profit organization, located in Caracas (Venezuela), which is dedicated to the socioeconomic and sustainable development of indigenous communities, without having to damage their environment or abandon their cultural or religious beliefs. Always favoring gender equality and integration of different sexual options.<br> Vision: A world in which there is no inequality between the indigenous population and the rest of society. Where the native population is not considered as animals, pets or the disposable object of the fashion of the moment.<br> Mission: Empower indigenous communities by promoting the conservation of their culture, defending the right to land and the preservation of their natural resources, promoting sustainable economic development in gender equality and sexual orientation, favoring access to communication channels to leave the information isolation and giving them a voice before the institutions to demand their rights and denounce the abuses to which they are subjects of.<br> Our history: In 2014, investigating for a documentary, we made a stop in the mining area of Las Claritas. There we went to a brothel where a bingo was being held. The place was full of miners attentive to the draw, something that surprised us because bingo always seemed an activity for older people ... Until we saw the prize ... depending on the sexual orientation of the miner, the prize was a child or Indigenous girl no older than 10 years old, who waited to meet the owner of their destination inside a hole dug in the floor of the premises.<br>When you see something like this with your own eyes, it is impossible to remain indifferent to the problem. We realized that, in this market of basic instincts, we could do little to diminish the demand (the illegal miners come from many countries and for them the Indians are less than animals), but we could have some possibility of diminishing the offer if we helped the development of indigenous communities. And thats how the Fundacion Nativa was born.
+
+
+
+ https://staging.giveth.io/project/Egyptian-Food-Bank
+ Egyptian Food Bank
+ Eliminating hunger problems through creating a diversity of long term development, awareness, educational and feeding programs to support our cause.<br><br>In co-operation with credible, potential partners in all sectors<br><br>(Individuals, official, volunteers, civil and private sectors
+
+
+
+ https://staging.giveth.io/project/We-Are-Safe-Place-(Safe-Place)
+ We Are Safe Place (Safe Place)
+ promote the fight against sexism
+
+
+
+ https://staging.giveth.io/project/Autismo-Dejando-Huella
+ Autismo Dejando Huella
+ We are a foundation-type Civil Association dedicated to providing comprehensive psychoeducational care and treatment to people on the autism spectrum from 2 years of age and throughout their life cycle.<br>We are made up of parents and professionals who decided to organize ourselves to, in a coordinated way, promote the 20-year experience that Cipeccs academic directors have, who are our service operators, providing a comprehensive psychoeducational plan to our population with autism spectrum conditions.
+
+
+
+ https://staging.giveth.io/project/Telecoms-Sans-Frontieres
+ Telecoms Sans Frontieres
+ Telecoms Sans Frontieres (TSF) was founded in 1998 as the worlds first NGO focusing on emergency-response technologies. During humanitarian crises we give affected people the possibility to contact their loved ones and begin to regain control of their lives, as well as we build rapid-response communications centres for local and international responders.<br><br>Thanks to 20 years of experience in the field, our high-skilled technical team adapts and tweaks existing tools to respond to different crises and beneficiaries needs in the ever evolving humanitarian context. From its early days, the culture of first emergency response has been core to TSFs identity, but we have grown and evolved as the role of technologies in emergencies has expanded.<br><br>In parallel to this core activity, we also develop, adapt, and make available innovative and cost-effective solutions to assist migrants, refugees, displaced people and other disadvantaged communities in different areas, including education, healthcare, womens rights and food security.<br>TSF is a member of the United Nations Emergency Telecommunications Cluster (UNETC), a partner of the Office for the Coordination of Humanitarian Affairs (UNOCHA) and the Association of Southeast Asian Nations (ASEAN), and a member of the US State Departments Advisory Committee on International Communications and Information Policy.<br><br>Since its creation, TSF responded to over 140 crises in more than 70 countries providing communication means to over 20 million people and nearly 1,000 NGOs.<br><br>Telecoms Sans Frontieres hereby certifies any project presented on GlobalGiving or funds received by GlobalGiving will be under no circumstances used in countries where United States export or sanction laws are in place such as Syria, Iran, Cuba, and North Korea, or with individuals or institutions subject to U.S. restrictions.
+
+
+
+ https://staging.giveth.io/project/OSCASI
+ OSCASI
+ OSCASI (Organizacion Social Catolica San Ignacio) is a non-profit organization, founded in 1958 as the social project of Colegio San Ignacio in Caracas, Venezuela.<br>OSCASI seeks to promote human improvement in low-income communities. Currently, we support two Alternative Schools in Petare. <br>We provide education for out-of-school children and teenagers for subsequent insertion into the regular school system. Our Alternative Schools prepare the students to achieve sixth-grade performance.
+
+
+
+ https://staging.giveth.io/project/Berzin-Archives-eV
+ Berzin Archives eV
+ Berzin Archives e.V., as a free information provider, is dedicated to the preservation and dissemination of academic teaching and reference material, in written, audio and video formats, to preserve the cultural and religious traditions of Tibetan Buddhism.
+
+
+
+ https://staging.giveth.io/project/Die-Arche-Kinderstiftung-Christliches-Kinder-und-Jugendwerk
+ Die Arche Kinderstiftung Christliches Kinder- und Jugendwerk
+ Making children strong for life!" This slogan neatly sums up how "Die Arche" reaches out to support socially disadvantaged children and young people at support centres across Germany.<br>Every day, the children we support enjoy a free lunch, get help with their homework and have a chance to participate in meaningful after-school activities. We also offer their parents assistance and advice as a way of helping entire families to get to grips with their day-to-day lives. <br>At "Die Arche", we give children the space they need to discover their potential. We nurture their talent, give them opportunities, and encourage and facilitate educational achievement.
+
+
+
+ https://staging.giveth.io/project/Sharearly-Foundation
+ Sharearly Foundation
+ We envision to build a society where the people are fully inspired and living as true icons of hope and beacon <br>of source of change and support for others.
+
+
+
+ https://staging.giveth.io/project/Leben-und-Lernen-in-Kenia-eV
+ Leben und Lernen in Kenia eV
+ (LLK) Leben und Lernen in Kenya e.V. (also registered in Kenya as Live and Learn in Kenya Intl as our daughter organization) provides funds to send needy children to school with everything necessary.
+
+
+
+ https://staging.giveth.io/project/Greater-Tacoma-Community-Foundation
+ Greater Tacoma Community Foundation
+ Strengthening our community by fostering generosity and connecting people who care with causes that matter.
+
+
+
+ https://staging.giveth.io/project/Netzwerk-Chancen-NC-gUG-(haftungsbeschraenkt)
+ Netzwerk Chancen NC gUG (haftungsbeschraenkt)
+ We are a non-profit support program for young people<br>from underprivileged families between the ages of 18 and<br>39 who are trying to climb up the social ladder. Our 1.000<br>members are offered a free program that includes job<br>opportunities, workshops, mentoring and coaching.
+
+
+
+ https://staging.giveth.io/project/Fundacion-para-el-desarrollo-integral-de-programas-socio-economicos-FUNDAP
+ Fundacion para el desarrollo integral de programas socio-economicos FUNDAP
+ We are a privately-owned voluntary foundation seeking to promote the development of low-income areas in the Republic of Guatemala, especially for those people who live in the rural areas of the highlands, by innovative projects avoiding patriarchy to guaranteea better living standard. All of this under a sustainable development framework with absolute respect for human dignity, culture and traditions.
+
+
+
+ https://staging.giveth.io/project/Hungarian-Food-Bank-Association
+ Hungarian Food Bank Association
+ The Hungarian Food Bank Association is a non-profit organization that works to make a link between surplus food and people in need in Hungary in order to help reduce poverty, hunger and malnutrition. We work nationwide with 400 partner organizations to reach 300.000 people in need.<br><br>Our core activities include:<br>1. Collect food from traders eg. Tesco, Auchan (express distribution of surplus food from supermarkets )<br>2. collect food from companies, manufacturers (non-profit wholesale)<br>We can save surplus food from 4 commercial chains and from manufacturers (cca 80 parties currently).<br><br>Our core activities include:<br>1. Collect food from traders eg. Tesco, Auchan (express distribution of surplus food from supermarkets )<br>2. collect food from companies, manufacturers (non-profit wholesale)<br><br>Express distribution of surplus food from supermarkets <br>There are situations when we do not even have time to transport the products into our warehouse to distribute them to our partner organisations from there. Such is products donated by food stores whose sell by date is that particular day, so we have only a few hours to deliver the products to the people who need them.<br>Our urgent food rescue scheme has been designed for these situations which means that food donations are transported from the retail stores directly by nearby partner organisations. The Food Bank in this scheme is responsible for building contacts, the adequate preparation of organisations involved, the launch of specific retail store projects and process monitoring primarily focusing on the constant control of shipping and distribution administration.<br>The donations include high value food such as fruits, vegetables, meat, dairy and bakery products that people are very happy to receive.<br><br>Non-profit wholesale <br>The main activity of the Hungarian Food Bank is to seek the edible food that can not be commercialized for some reason, then to organize the transportation, safe storage and distribution of the collected resources. Among the donated food there are aesthetically, e.g. packaging defective products, food products approaching their expiration date, post-season products and other products that are safe for human consumption but the manufacturer or dealer doesnt want to or can not sell it commercially for any reason. These foods often are destroyed. The Hungarian Food Banks aim is to research the most of these kinds of reserves then to deliver to those in needs.<br><br>Food Bank doesnt offer direct donations to disadvantaged people, it distributes the collected surplus through charity organizations and governmental institutions which are in daily contact with the needy hereby the Hungarian Food Bank is a non-profit wholesaler" creating a bridge between the organizations that help the needy and the companies possessing and donating food surplus.
+
+
+
+ https://staging.giveth.io/project/Arunachala-Animal-Sanctuary-Rescue-Shelter
+ Arunachala Animal Sanctuary Rescue Shelter
+ Our mission is to lift suffering from the Animal Realm. The core of our work is demonstrative love. Stroking, hugging, kissing, reassuring. Our belief is that deep healing will only take place if an animal feels secure, cared for, and loved. We will treat any animal in need. Large. Small. Wild. Domestic. (including birds and reptiles)........To accomplish that mission we have a staff of eighteen, including two full time veterinary doctors.
+
+
+
+ https://staging.giveth.io/project/Balajothi-Centre-for-the-Disabled
+ Balajothi Centre for the Disabled
+ One of our aims is to spread awareness on disabilities through TV programs and awareness campaigns on regular basis. We bring together families with special children, provide counseling and training and motivate them to become self reliant, confident and useful individuals.
+
+
+
+ https://staging.giveth.io/project/Community-Credit-Lab
+ Community Credit Lab
+ To shift power by facilitating capital in relationship with people who face discrimination in the financial system.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Apadrina-la-Ciencia-(Association-Sponsor-Science)
+ Asociacion Apadrina la Ciencia (Association Sponsor Science)
+ Apadrina la Ciencia (Sponsor Science) is a new initiative to promote scientific research and public understanding of science in Spain. It stems from the conviction that scientific research is a source of wealth and prosperity, and that investment in science is an investment in the future.<br><br>Apadrina la Ciencia (Sponsor Science) was launched by a group of scientists with extensive experience in several research areas, who have joined efforts to promote communication and direct collaboration among scientists and the rest of society. Unlike other initiatives, the goal is not to obtain funding for their own research, but rather to secure resources through patronage, sponsorship and micro-grants to support science research and outreach in Spain. More than 200 internationally renowned scientists from different universities and research institutions support this initiative.<br><br>Apadrina la Ciencia (Sponsor Science) aims to direct peoples solidarity to support research on issues related to health, the environment and new technologies, with special attention to basic research, which is the foundation of scientific progress and technological development. Through job contracts and project grants, Apadrina la Ciencia (Sponsor Science) is a means by which citizen support can have an optimum return and maximum impact on the goal of strengthening the Spanish scientific system.<br><br>Scientific outreach is a priority of Apadrina la Ciencia (Sponsor Science), to inform citizens about scientific advances and help to generate critical opinion on important social issues. One of the main objectives of Apadrina la Ciencia is thus to make science more accessible, especially to young people.<br><br>Apadrina la Ciencia (Sponsor Science) will be a platform for meetings, discussion and collaboration between scientists and society. In addition, Apadrina la Ciencia hopes to involve all members of society, including institutions and companies, to help make our dream come true: to achieve strong, visible scientific research in Spain that generates knowledge and increases prosperity for society.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Ekoturisme-Indonesia
+ Yayasan Ekoturisme Indonesia
+ To empower illiterate and malnourished children through relevant education, improved nutrition, and basic stay-healthy principles; To reduce poverty and promote culturally sensitive, sustainable development within impoverished rural communities that have little or no choice to alleviate their own plight; and To harness human and natural resources for mutual benefit and sustainable social and economic development by the reforestation of land devastated by the massive eruption of Mt. Agung in 1963, which denuded thousands of hectares. To improve the living ecosystems, provide a sustainable food forest for the thousands of villagers, provide sustainable livelihoods for present and future, and ensure rain water is captured and conserved for the benefit of the land, nature, ecosystems, and, most of all the people.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Hati-Gembira-Indonesia-(Happy-Hearts-Indonesia-Foundation)
+ Yayasan Hati Gembira Indonesia (Happy Hearts Indonesia Foundation)
+ Happy Hearts Indonesia is dedicated to rebuilding schools and providing education to children in underprivileged areas and to those impacted by natural disasters. Happy Hearts Indonesia supports local communities in building sustainable schools with clean water facilities, furniture and playgrounds.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Rumah-Rachel-(Rachel-House)
+ Yayasan Rumah Rachel (Rachel House)
+ Rachel House was registered in November 2006 as a charitable organization under the name of Yayasan Rumah Rachel in Indonesia with the purpose of providing palliative care to children from poor and needy families living with life-threatening diseases, such as cancer and HIV. <br><br>It is the first pediatric palliative care service in Indonesia, providing pain and symptom management for children in the final stages of their illness at free of charge. Without the service, many of these children from poor families would spend their last days in horrific pain without medical assistance.<br><br>Rachel House was founded in the hope that no child would ever have to die in pain, without love and care. It is built on the principle that "we are not here to add days to the childrens lives, but to add life to their remaining days". <br><br>Its mission is to provide palliative care for children with life-threatening conditions allowing them to live their remaining days with joy and dignity in a non-discriminatory, safe and loving environment.<br><br>Rachel Houses goals are:<br><br> To advocate and raise awareness of the need for palliative care in Indonesia<br> To assemble and train multi-disciplinary staff in pediatric palliative care<br> To train and develop home care teams to provide support and education to families to allow children with life-threatening conditions to be cared for at home<br> To reinforce local communitys capacity to care for children in need through education<br> To partner other organisations that add value to our mission<br> To secure long-term financial sustainability <br><br>Being the first pediatric palliative care service in Indonesia where palliative care is not taught in medical schools, Rachel Houses pioneering team of nurses were trained by palliative care professionals from neighboring countries such as Singapore, Australia and New Zealand. In every training opportunity, Rachel House has ensured the participation of medical professionals (doctors, nurses & pharmacists) from the large government-owned hospitals and public clinics, nursing schools and health volunteers and social workers in the hope of building the capacity in palliative care. <br><br>A significant outcome of this targeted training has been the establishment of the first pediatric palliative care unit in Indonesia at the Dharmais Cancer Hospital in late 2010. <br><br>In the 3 years since the first patient was admitted to Rachel House in December 2008, the service has reached more than 150 children in the final stages of cancer and HIV, providing them with pain and symptom management and empowered their caregivers with the essential education.
+
+
+
+ https://staging.giveth.io/project/Hawaii-Community-Foundation
+ Hawaii Community Foundation
+ HCF helps people make a difference by inspiring the spirit of giving and by investing in people and solutions to benefit every island community.
+
+
+
+ https://staging.giveth.io/project/Mission-Kids
+ Mission Kids
+ Mission Kids provides exceptional bilingual, multicultural, community-based early care and education, fostering respect and love of learning, to income diverse families of San Francisco.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Usaha-Mulia-Foundation-for-Noble-Work
+ Yayasan Usaha Mulia Foundation for Noble Work
+ VISION: To improve the quality of life for Indonesias poor.<br>MISSION: To work with the communities in providing holistic and sustainable support in the areas of health, education and community development.
+
+
+
+ https://staging.giveth.io/project/Cork-Simon-Community
+ Cork Simon Community
+ Cork Simon Community works in solidarity with men and women who are homeless in Cork, offering housing and support in their journey back to independent or supported living. Cork Simon supports over 1,000 people annually, providing accommodation, access to health services, housing support, training and employment opportunities to enable people to move out of homelessness.
+
+
+
+ https://staging.giveth.io/project/Jigsaw-the-National-Centre-for-Youth-Mental-Health
+ Jigsaw, the National Centre for Youth Mental Health
+ Our mission is to advance the mental health of young people in Ireland (aged 12-25) by influencing change, strengthening communities, and delivering services through our evidence informed and early intervention approach.
+
+
+
+ https://staging.giveth.io/project/Communities-Foundation-of-Texas
+ Communities Foundation of Texas
+ Our mission is to improve the lives of all people in our community by investing in their health, wealth, living and learning. We accomplish this by growing community giving, expanding community impact, and advancing community equity. Our vision is thriving communities for all. We enhance the experience and impact of giving through exemplary service, wise stewardship, and trusted partnership.
+
+
+
+ https://staging.giveth.io/project/Association-For-Womens-Awareness-and-Rural-Development
+ Association For Womens Awareness and Rural Development
+ To empower the women through education, awareness raising, skills enhancement and income generation for better standards of life".
+
+
+
+ https://staging.giveth.io/project/Specified-Non-profit-Organization-Kidsdoor
+ Specified Non-profit Organization Kidsdoor
+ Our mission is to provide free education to children from low-income families in Japan by conducting intensive and continual studying sessions in Japanese and English and to provide various opportunities, such as workshops in collaboration with our sponsored companies and entry for English speech contests, leading to alleviate poverty of underprivileged children.<br>Free study support for elementary through high school<br>students.<br>Educational guidance on enrollment for high school and college.<br>Hands-on activities for children from elementary through high school at orphanages, community centers and their studying venues.<br>Study support for foreign children living in Japan.<br>Help (single) parents focus on working and providing food<br>on the table.<br>Provide free after-school classes and a place to go.<br>Foster a society where children can have hopes and dreams. <br>Build bonds between students(children),volunteers and local communities.<br>Help children pave the path towards becoming self-reliant,<br>independent individuals.
+
+
+
+ https://staging.giveth.io/project/YouMeWe-NPO
+ YouMeWe NPO
+ OUR MISSION.Our primary mission is to help children growing up in institutionalized homes prepare for life outside the home once they reach the age of 18. We offer support programs that increase a childs opportunity to become a productive and financially independent young adult in their community. This means helping kids develop and hone critical skills such as language, writing, digital literacy, etc., and ultimately increase confidence levels that can lead to new opportunities and choices in the future. Providing tutoring support, internship opportunities, as well as guidance on university/technical school options will offer children another critical layer of support as they start to make plans for their future. Developed skill sets, solid communication abilities, and a thorough understanding of their options will help set kids on the right path towards successful independence.<br><br>This is no easy task for any child, but it can prove especially challenging for kids without continual 1:1 attention. It is our hope that by providing educational and mentoring-based support, we will be improving their overall chances.
+
+
+
+ https://staging.giveth.io/project/Gasol-Foundation
+ Gasol Foundation
+ Gasol Foundation works to reduce childhood obesity rates through the promotion of sports and physical activity, healthy eating, sleep quality, and the emotional well-being of children, adolescents and their families in the United States and Spain.
+
+
+
+ https://staging.giveth.io/project/Spanish-Association-against-cancer
+ Spanish Association against cancer
+ We work together to prevent and educate, support and giving help to patients and families, and financing research projects in cancer. <br><br>We lead the effort of Spanish society to battle against cancer, helping both patients and relatives and trying to aminorize diseases impact.
+
+
+
+ https://staging.giveth.io/project/White-River-Marine-Association
+ White River Marine Association
+ The White River Marine Association in co-operation with local fishermen seek bring back marine life (fish, sea urchins, etc.) and rebuild coral reefs off the shores of Ocho Rios and St Ann/St Mary Parishes through a created 150-hectare Special Fisheries Conservation Area (SFCA) called the White River Fish Sanctuary, for the benefit of the whole<br>community (locals, tourist businesses, residents, etc.).
+
+
+
+ https://staging.giveth.io/project/Laboratorio-de-Imaginacion-y-Accion-Social-AC
+ Laboratorio de Imaginacion y Accion Social AC
+ We help children, teenagers and youth of Malinalco to choose and live a life they value, through a model of personalized, integral and continuous accompaniment, which promotes their rights to protection from violence, promotion of development and participation.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-of-Southern-Arizona
+ Ronald McDonald House Charities of Southern Arizona
+ Nurturing the health and well-being of children and their families.
+
+
+
+ https://staging.giveth.io/project/candles-of-hope-uganda
+ candles of hope uganda
+ Our mission is to strengthen individuals, families, and communities by transforming lives and providing a path to a brighter future.
+
+
+
+ https://staging.giveth.io/project/Rainbow-Youth-Incorporated
+ Rainbow Youth Incorporated
+ To create social change in Aotearoa by providing support, information and advocacy for queer, gender diverse and intersex youth, their friends, whanau, and communities.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Ayuda-Una-Familia-(Help-a-Family-Foundation)
+ Fundacion Ayuda Una Familia (Help a Family Foundation)
+ The Help a Family Donation provides food and drinking water to people who live on the street, families who live in abandoned buildings.<br><br>Our mission is to ensure that these most vulnerable people in Valencia receive or can prepare one meal per day along with access to drinking water.
+
+
+
+ https://staging.giveth.io/project/ASSOCIACAO-DE-APOIO-A-CRIANCA-EM-RISCO-ACER-BRASIL
+ ASSOCIACAO DE APOIO A CRIANCA EM RISCO - ACER BRASIL
+ REDEEM THE DIGNITY OF CHILDREN AND YOUTH PROMOTING THE TRANSFORMATION OF SOCIETY
+
+
+
+ https://staging.giveth.io/project/Drug-Aid-Africa-Initiative
+ Drug-Aid Africa Initiative
+ Drug Aid Africa is an NGO with a primary focus on saving lives by providing medical drug supplies and support to low income patients, addressing the basic needs of healthcare in Nigeria and across Africa.
+
+
+
+ https://staging.giveth.io/project/AVADIS-Asociacion-Vejeriega-para-la-Ayuda-del-Discapacitado
+ AVADIS - Asociacion Vejeriega para la Ayuda del Discapacitado
+ Mision: Contribuir, desde su compromiso etico, con apoyos y oportunidades, a que cada persona con discapacidad intelectual o del desarrollo y su familia, puedan desarrollar su proyecto de calidad de vida, asi como a promover su inclusion como ciudadano/a de pleno derecho en una sociedad justa y solidaria.
+
+
+
+ https://staging.giveth.io/project/Humane-Society-International
+ Humane Society International
+ Humane Society International (HSI) works around the globe to address the root causes of animal cruelty and rescue animals impacted by natural and manmade disasters.
+
+
+
+ https://staging.giveth.io/project/Association-for-Humanitarian-Development-(AHD)
+ Association for Humanitarian Development (AHD)
+ Association for Humanitarian Development (AHD) is a social community based organization was established in December 2001-2002 and registered under the Societies Registration Act: XXI of 1860 on 17 May 2003. <br>Re-Registered on June 1st 2013 <br><br>Vision<br>To bring Peace, Justice, Unity and Harmony for all and to ensure availability of food for marginalized communities of Pakistan
+
+
+
+ https://staging.giveth.io/project/African-Promise
+ African Promise
+ African Promise is dedicated to improving the quality and provision of primary education in rural Kenya by ensuring that schools are equipped to deliver a primary education that is worth having
+
+
+
+ https://staging.giveth.io/project/Alkhidmat-Foundation-Pakistan
+ Alkhidmat Foundation Pakistan
+ Alkhidmat Foundation Pakistan being non-political, non-governmental and non-profit organization is committed to serving humanity especially vulnerable and orphans without any kind of discrimination to contribute in their well-being of health, education, financial sustainability, livelihood, shelter, availability of clean water, mosques, savage of disaster and other aspects of life. We also pay attention to the the welfare of our employees by means of resource mobilization and developing partnership with NGOs and other concerned public and private organizations. Our volunteers remain satisfied by providing their support and engaging in different useful programs and doing all such acts that are required to achieve our goal to help others with integrity.
+
+
+
+ https://staging.giveth.io/project/Moqah-Foundation
+ Moqah Foundation
+ Moqah Foundation is dedicated to alleviating poverty in Pakistani communities by providing free, quality education for girls and their brothers and economic empowerment opportunities for women.
+
+
+
+ https://staging.giveth.io/project/3Strands-Global-Foundation
+ 3Strands Global Foundation
+ We mobilize communities to combat human trafficking through prevention education and reintegration programs.
+
+
+
+ https://staging.giveth.io/project/The-Citizens-Foundation
+ The Citizens Foundation
+ The Citizens Foundations (TCF) mission is to promote mass-scale quality education in Pakistan at the primary and secondary levels in an environment that encourages intellectual, moral and spiritual growth. The aim of the TCF education program is to equip less-privileged children with knowledge and literacy skills, to inculcate in them high moral values and the confidence to strive for their goals.
+
+
+
+ https://staging.giveth.io/project/Zindagi-Trust
+ Zindagi Trust
+ Our mission is two-part:<br><br>1) To provide non-formal primary education through a creative, well-designed curriculum to Pakistans underprivileged working children, thus empowering them to become responsible citizens as well as readying them for vocational or secondary education.<br><br>2) To assist the Government of Pakistan in reforming state schools and curricula so as to bring them at par with the challenges of present time, so that the majority of the countrys youth that studies in them can get an equal opportunity at a bright future.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Gramo-Danse
+ Fundacion Gramo Danse
+ We are an organization that cultivates love for dance and the arts; we promote innovation, art appreciation and the development of children and adults through culture.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Calicanto
+ Fundacion Calicanto
+ Calicanto is a community based organization dedicated to safeguarding the historic and human heritage of Panama Citys inner city historic district through social, educational, cultural, and conservation programs and initiatives.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Sea-Turtle-Conservation-Curacao
+ Friends of Sea Turtle Conservation Curacao
+ Protecting sea turtles and their habitat through research, conservation and education.
+
+
+
+ https://staging.giveth.io/project/Riley-Childrens-Endowment
+ Riley Childrens Endowment
+ To inspire people to invest in pediatric research, care, and programs that support the physical and mental health of kids.
+
+
+
+ https://staging.giveth.io/project/FUNDACJA-GLOBAL-COMPACT-POLAND
+ FUNDACJA GLOBAL COMPACT POLAND
+ The mission of the United Nations Global Compact is to mobilise a global movement of sustainable companies and stakeholders, to take action for people and the environment to create the world we all aspire to.<br>The UN Global Compact is the worlds largest initiative bringing together sustainable business. Since its establishment in 2000 by UN Secretary-General Kofi Annan, it has been working for the environment, human rights, anti-corruption and decent and legal work.<br><br>The UNGC currently has more than 10,000 members from around the world. Through cooperation with governments, international organisations, companies and institutions, it conducts a number of ambitious activities, becoming a catalyst for global change.<br>Global Compact Network Poland serves as the secretariat for the UNGCs Polish members and as an accelerator of local programmes and activities.
+
+
+
+ https://staging.giveth.io/project/Mental-Health-America
+ Mental Health America
+ MHA, founded in 1909, is the nation’s leading community-based nonprofit dedicated to addressing the needs of those living with mental illness and promoting the overall mental health of all. MHA’s programs and initiatives fulfill its mission of promoting mental health and preventing illness through advocacy, education, research, and services.
+
+
+
+ https://staging.giveth.io/project/La-Societe-Protectrices-des-Animaux-(SPA)
+ La Societe Protectrices des Animaux (SPA)
+ Ameliorer le sort des animaux, assurer lapplication des dispositions legislatives et reglementaires qui les protegent, leur accorder assistance et participer en ce sens a leducation populaire
+
+
+
+ https://staging.giveth.io/project/Pallottine-Missionary-Foundation-Salvattipl
+ Pallottine Missionary Foundation Salvattipl
+ Pallottine Missionary Foundation Salvatti.pl (Pallotynska Fundacja Misyjna Salvatti.pl) is an NGO, based in Poland. We support social work of missionaries: kindergartens, schools, health centres, hospitals, nutritional centres, we also fund scholarships for Africans, who study in their own countries. We also organize a course for missionary volunteers, who go to the countries of Global South to help and share their experience. We help in Africa: Rwanda, D.R. Congo, Cameroon, Ivory Coast, Rwanda, Uganda, Senegal, Tanzania, Ethiopia, Zanzibar; Asia: India, Syria, Lebanon, Sri Lanca; South America: Colombia, Cuba, Uruguay, Venezuela, Argentina. The Foundation was founded in 2008. We have a long story of support different projects like building maternity in Kigali, building schools in Bivouvue, Esse in Cameroon, supporting kindergartens in Rwanda and D.R. Congo, building schools in Brobo and Ahouaukro in Ivory Coast. We organize debates on hot international social topics with famous experts like Carl Wilkens for the USA, the only American who stayed in Rwanda during the genocide, Nagy el-Khouri from Lebanon, Juan Grabois from Papal Counsel Justicia et Pax and many more. We cooperate with business to help to develop entrepreneurship among Africans. What we take care most is the education of children as we know that is an effective way to help children.<br>In the process of helping the faith doesnt matter - we help all the people in need, regardless their faith. In Africa and India we help in education of children of all faiths. We do not ask for it. Some years ago we helped muslim village in Bosnia which suffered during the big flood. So we dont divide people according to their faith.
+
+
+
+ https://staging.giveth.io/project/The-Community-Foundation-of-Southern-New-Mexico
+ The Community Foundation of Southern New Mexico
+ The Community Foundation of Southern New Mexico serves as a community resource, connects donors to needs, and supports charitable organizations in their work.
+
+
+
+ https://staging.giveth.io/project/Diani-Childrens-Village
+ Diani Childrens Village
+ Our Mission Providing orphans, neglected and abused children a home and basic needs to be able to lead an as normal life as possible Our Vision Creating an environment where children learn to be confident and well balanced youngsters ready to life an independent life when they leave the Home Core Values Compassion Integrity Respect Knowledge Diversity Commitment
+
+
+
+ https://staging.giveth.io/project/Basaid-Organisation
+ Basaid Organisation
+ Our Mission:<br>BASAID - Basic Aid for a better life and a better future<br>We are a trust-based non-profit organization of volunteers<br>We support underserved communities<br>We focus on four strategic and sustainable pillars: agriculture, water & sanitation , healthcare and education
+
+
+
+ https://staging.giveth.io/project/Sheepcare-Community-Centre
+ Sheepcare Community Centre
+ Sheepcares core mission is to touch the lives of the poor people particularly children, transforming them holistically to duplicate the same by transforming their communities and realize their potential to make their lives and world better.
+
+
+
+ https://staging.giveth.io/project/St-Martins-School
+ St Martins School
+ Our mission is to educate as many children as possible, providing them with a safe environment where they can play, learn, and receive regular meals.
+
+
+
+ https://staging.giveth.io/project/Sadhana-Forest-Kenya
+ Sadhana Forest Kenya
+ SFKs mission is to sustainably bring back water, forest, and life to arid and semi-arid lands in order to support local populations towards their goal of food self-sufficiency.
+
+
+
+ https://staging.giveth.io/project/Darussafaka-Society
+ Darussafaka Society
+ Darussafaka Society was founded in 1863 with the aim of providing equality of opportunity in education to needy, talented children who had lost their fathers. Since then, it has maintained its presence with this mission of "equality of opportunity in education." Our 155-year old society, whose role is to raise funds via donations to finance the school, amended its statutes on 14 April 2012 and opened the doors of Darussafaka Schools to also include students who have lost their mothers. Today, Darussafaka creates a better future for needy, talented students who have lost one or both parents. Inviting students at the age of nine, the Society provides full scholarship and boarding from a students fourth year through to the end of high school. Given an opportunity for a world-class education, students are able to embark on a new life as self confident, thinking, inquiring, and curious individuals who feel responsible for the community.
+
+
+
+ https://staging.giveth.io/project/Mothers-Heart
+ Mothers Heart
+ Overall women in Cambodia undergo a high number of abortions, and unplanned pregnancies are frequent. Many women die from unsafe abortions and those that continue with their pregnancy are often ostracised from their families and communities, and live in poverty. There are no social services existing within Cambodia to help these women. Many women in Cambodia come from extremely vulnerable situations, being that trafficking, sexual abuse, HIV and poverty are real issues today.<br><br>Mothers Heart vision is to provide unconditional love to women facing crisis pregnancies and to see women empowered with choices, so that they can make the best decision for their future and the future of their babies.<br><br>Vision and Mission<br><br>The vision & mission of Mothers Heart is quite simple but it drives the work that we do every day. Our aim is to:<br><br><br> Provide crisis pregnancy counseling in Cambodia<br><br> Empower women with choices<br><br> Support for every woman facing an unplanned or unwanted pregnancy<br><br><br>What Makes Mothers Heart Special?<br><br><br> We are the first crisis pregnancy counselling service in Cambodia <br><br> We love unconditionally and respect each person we serve <br><br> We respect and support a persons individual choice through giving them relevant, timely information <br><br> We dont discriminate or judge but serve all in need<br><br> We support (walk with) women and their families who face crisis pregnancies. <br><br>The Start<br><br>Mothers Heart was founded in 2010 by Katrina Gliddon and a small-dedicated team to respond to the lack of choice for women in Cambodia facing unplanned pregnancies. Research showed that abortion was a main form of contraception, sometimes resulting in maternal death. Cambodia did not have crisis pregnancy consulting services and there was no existing services providing women with viable alternatives to abortion.<br><br>Built on a solid foundation of 25 years of Mothers Choice in Hong Kong, Mothers Heart was born, adapted to the unique Cambodian challenges and culture. <br><br>What We Do<br><br>Pregnant Womans Services<br><br>Mothers Heart believes that every young woman who faces crisis pregnancy has a right to know the options available to her. We offer non-judgmental support from social workers throughout the decision making process. We provide holistic and loving support for young pregnant women through their challenging decision, so they can make the best decision for their future and the future of their baby.<br>Counselling<br><br>Counselling is available for single pregnant girls and women, their boyfriends and families. Our on site counselling service includes guidance and support on making a plan for the baby, parenting and post abortion help. We support single girls and women when facing a crisis pregnancy, not only do we give them access to counselling; we also aim at helping them understand the choices ahead and the respective consequences. This process will enable them make critical decisions for themselves and their baby. Every single girl or woman in our program has a social worker and midwife assigned to their case, so they have on-going support every step of their journey.<br>Accomodation<br><br>Many women in our program are from poor and vulnerable backgrounds and require safe temporary housing during their pregnancies and postnatal period. We believe the best place for them is within their local community where their support networks have already been established. If they already have a small room we provide them with rental assistance and food allowance each month. Otherwise we provide them with a room, sometimes sharing with other young pregnant women within the local community. This helps women stay independent and to have some responsibility for their everyday living.<br><br>With special cases (teenage pregnancies, rape etc.) that require a safe secure place to stay, we have referral agencies that partner with us to provide temporary Hostel accommodation until a permanency plan has been establish for the client. <br>Health Care<br><br>Mothers Heart finances antenatal, delivery, postnatal, all medical needs of the client and baby. The staff accompanies each women to their appointments and advocate for the best possible care. We use already existing government health care centre. We firmly believe in capacity building by utilizing local existing government and community healthcare services already available here in Cambodia. Therefore, women will learn how to access health care for themselves and their babies in the future. Ongoing referrals.<br><br>Women also have access to health care for sexually transmitted diseases, HIV care for mother and baby, and contraception counselling and distribution. As part of our health care, all women have access to multivitamins during pregnancy and lactation, as over 75% of Cambodia population are micro nutrient deficient because of their diets. <br>Preparing for Birth<br><br>We offer antenatal training to the women we work with to help them prepare for the birth and the early days of parenthood. We also have on-going positive parenting training and child development training, so women can share their experiences and learn together. <br><br>Longer Term<br><br>Following the birth of a child it is important that foundations are established so that the women and their families can support the child in the future. Mothers Heart works with partners to support women to access appropriate vocational training and job opportunities. <br>Fostering & Adoption<br><br>We realise that for some girls and women keeping their child after the pregnancy is not an option. Every child deserves a family. According to the Government policies, Kinship care should be the first option then local adoption, permanent fostering, overseas adoption and the last resource being temporary orphanage placement until a family can be found. Mothers Heart works with specialist partner organisations and government services to provide foster care and adoption within the local community.<br>Advocating<br><br>Many of the girls and women that we work with have lost their voice with regard to what they deserve or how they should be treated. We advocate on their behalf for community care and better family support for every child. Very often the girls and women in our program need support and specialist care. We are able to work with many specialist partners that help the women access other services (legal, counselling for trafficking, rape, HIV, mental health). We have many wonderful partner agencies that work together with us to bring wholeness to each girl and woman in our program.<br>Education<br><br>We understand that unplanned pregnancies will always be a part of the world we live in, so we want to be more than just the solution to the problem. Mothers Heart seeks to educate communities around the issues of unplanned pregnancy.
+
+
+
+ https://staging.giveth.io/project/LIBERTY-TO-LEARN-BERHAD
+ LIBERTY TO LEARN BERHAD
+ Liberty to Learn Berhad or better known as Fugee is a non-profit organisation that champions equality and access by and with refugees where each person has the right to build a meaningful life. We do this through advocacy, education, and entrepreneurship programmes. We envision a world in which every individual has the right to quality education and job opportunities to participate in and contribute to all facets of life. We intend to expand our scope of resources and goals to ensure every person goes to school, gets the training, and is granted access to any industry they seek a career in. We work together with, and empower refugees as leaders of change to access high-quality education and integrate into the job market in their host countries so they lead dignified lives and contribute to society.
+
+
+
+ https://staging.giveth.io/project/Malaysian-Red-Crescent-Society
+ Malaysian Red Crescent Society
+ To realise the Malaysia Red Crescent as a leading and distinctive humanitarian organisation that brings people and institutions together for the vulnerable.
+
+
+
+ https://staging.giveth.io/project/Malaysian-Relief-Agency-Foundation
+ Malaysian Relief Agency Foundation
+ -To ensure efficient aid management by applying good values such as commitment, teamwork, unselfishness, and care. <br><br>-Develop skills and train in aspects of humanitarian work including technical skills, networking, critical thinking, and project management. <br><br>-Develop networking at national and international levels and putting Malaysian name at the forefront of global humanitarian scence.
+
+
+
+ https://staging.giveth.io/project/Reef-Check-Malaysia
+ Reef Check Malaysia
+ Sustainably managed coral reefs in Malaysia
+
+
+
+ https://staging.giveth.io/project/Eyebeam
+ Eyebeam
+ Eyebeam enables people to think creatively and critically about technology’s effect on society, with the mission of revealing new paths toward a better future for all.
+
+
+
+ https://staging.giveth.io/project/Campana-Global-por-la-Libertad-de-Expresion-A19-AC
+ Campana Global por la Libertad de Expresion A19, AC
+ ARTICLE 19 Mexico and Central America is an independent and nonpartisan organization that promotes and defends the progressive advancement of the rights of freedom of expression and access to information for all people, in accordance with the highest international standards of human rights, thus contributing to the strengthening of democracy.<br><br>To fulfill its mission, ARTICLE 19 Mexico and Central America has as its main task:<br><br> The defense of the right to disseminate information and opinions in all media,<br> the investigation of threats and trends, the documentation of violations of the rights to freedom of expression, the accompaniment of people whose rights have been violated; and the participation in the design of public policies on these themes. <br><br>In this sense, ARTICLE 19 Mexico and Central America visualizes a region where all people can express themselves in an environment of freedom, security and equality, and exercise their right to access information; facilitating the incorporation of society in informed decision-making about themselves and their environment, for the full realization of other individual rights.
+
+
+
+ https://staging.giveth.io/project/Bike-Maffia-Egyesulet
+ Bike Maffia Egyesulet
+ Our vision: an accepting, responsible society who acts in a sustainable way for the dignified living conditions of those in need.<br> <br> Our mission:<br> - sensitization: reduction of prejudices, formation of social attitudes through innovative projects;<br>- education: knowledge sharing, strengthening the donation culture, guidance to help;<br>- assistance: supporting the care of those in need with assistance tailored to their needs;<br>- cooperation: helping to bring together civil society and professional organizations, the public sector and economic operators;<br> employment: supporting reintegration processes through innovative projects, creating social enterprises, spending meaningful time and creating a goal for homeless people;<br>- environmental awareness: operating our projects in a sustainable way, launching projects for environmental protection (especially reducing food waste);<br>- credibility: an inclusive, transparent, financially sound organization with a strong voluntary base that responds to change.
+
+
+
+ https://staging.giveth.io/project/Casa-de-la-Amistad-para-Ninos-con-Cancer
+ Casa de la Amistad para Ninos con Cancer
+ Increase the survival rate of low-income girls, boys and young people with cancer in Mexico, by providing a custom-made, comprehensive and free of cost treatment.
+
+
+
+ https://staging.giveth.io/project/Enactus-Sife-Mexico-AC
+ Enactus Sife Mexico AC
+ Enactus Méxicos mission is to scale entrepreneurship to create and strengthen businesses that activate the economy in a sustainable and inclusive way.
+
+
+
+ https://staging.giveth.io/project/Ukrainian-Red-Cross-Society
+ Ukrainian Red Cross Society
+ The main aim of the Societys activity is to ensure human life protection, prevention and mitigation of human suffering during armed conflicts, natural disasters, catastrophes and accidents, support to medical services of the armed forces and public healthcare services, assist public authorities of Ukraine in their activities in the humanitarian field.<br><br> The objective is achieved unbiasedly, without any discrimination based on nationality, race, gender, religion, language, class or political convictions<br><br>(The extract from the Charter of the Ukrainian Red Cross Society)
+
+
+
+ https://staging.giveth.io/project/Tafel-Deutschland-eV
+ Tafel Deutschland eV
+ There is plenty of food for everyone in Germany, yet many people live in deprivation. The Tafel strive for a fairer balance, engaging volunteers for disadvantaged people in their area. The national association of food banks and pantries in Germany, Tafel Deutschland e.V., supports and represents more than 960 local Tafel initiatives in Germany. <br>These initiatives collect quality surplus food and distribute it free of charge or for a symbolic amount to socially and economically disadvantaged individuals. The Tafel are one of the largest social movements in Germany. <br><br>The main tasks of Tafel Deutschland include: Securing nationally operating partners and sponsors for the local Tafel initiatives; Representing the political, economic and social interests of the local Tafel initiatives; Communicating the Tafel initiatives to the media as well as to the public; Sharing best practices, communicating with and advising the local initiatives; Supporting the founding of new local Tafel initiatives. <br><br>Especially the current crisis, rising prices have resulted in fewer food donations and more people in need turning to the Tafel for support.<br><br>Increasing numbers of patrons means more work and the need for more space and commitment. <br>Your donation helps us not to have to turn away people in acute need and also build our capacity to accept more donations. Donations make projects possible that go above and beyond the distribution of food: cooking courses, community cafes, clothing donations, anti-racism projects and collection points for household goods or bicycles.
+
+
+
+ https://staging.giveth.io/project/Southern-Oregon-Friends-of-Hospice
+ Southern Oregon Friends of Hospice
+ The mission of Southern Oregon Friends of Hospice is to sustain a residential hospice home, Celia’s House in Holmes Park, ensuring that dying individuals and their families are cared for with kindness and exceptional care, and to promote broader knowledge on the benefits of end-of-life palliative and hospice care throughout our community.
+
+
+
+ https://staging.giveth.io/project/LOSEV-Foundation-for-Children-with-Leukemia
+ LOSEV Foundation for Children with Leukemia
+ LÖSEV, The Foundation for Children with Leukemia is a non-governmental (NGO) and a not-for-profit public benefit organization that has been providing support for more than 65.000 children with leukemia and cancer, adult cancer patients and their families since 1998.<br><br>As 87 % of the families of the children diagnosed with leukemia who are registered to LÖSEV are from a low-income background and 11% have no income at all, LÖSEV provides complimentary treatment at LÖSANTE Hospital. Intensive treatment, accommodation and meals are completely free of charge for the patients and the accompanying mothers.<br><br>LÖSANTE now provides service not only for children with leukemia but also to adult cancer patients. Moreover, it is also a multidisciplinary hospital; providing medical services in other disciplines from cardiology to psychiatry.<br><br>Each year 200.000 people receive cancer diagnosis and every year a city full of people perish. Unfortunately, treatment centers are inadequate in the face of this increase and treatment success chance decrease. Due to this reason, we constructed Europes most modern and well-equipped oncology city which serves in all branches from oncology to eye diseases, from cardiology to radiation all units. <br><br>Education Centers for Children with Leukemia help children compensate for missing school terms due to the intensive treatment. LÖSEV School has opened its doors in 2008, where 200 students receive education under the curriculum of the Ministry of National Education. <br><br>Accommodation and employment for families, who have to migrate to reach treatment facilities is a vital problem. LÖSEV has established a Village for Children with Leukemia to ease this pressure. <br><br>LÖSEV gives priority to provide social and permanent services in all its activities; thus, has been carrying out Vocational Training Courses for leukemia and cancer survivors as well as the mothers of children with leukemia. The aim of this project is to provide those compulsory migrant mothers with employment opportunities through, an eligibility certificate at craftsmanship as well as providing them with gateway and relaxation opportunity.<br><br>LÖSEV has become an NGO in Special Consultative Status with the Economic and Social council of the United Nations in the year 2007. Having granted vital equipment three times to LÖSANTE, The United Nations Women Guild has been a generous supporter of LÖSEV and its activities.<br><br>Meanwhile, our Founder Dr. Üstün Ezer was presented the World of Children Health Award. <br><br>We are also part of a global initiative and signatory of The World Cancer Research Declaration (WCRD) which aims to promote faster progress to defeat cancer by coordinating research among global partners and building on the worldwide investments in cancer research. <br><br>With the purpose to raise awareness to the increasing cases along with the prevention of cancer, another event pioneered by LÖSEV for the first time throughout the world is, The International Week for Children with Leukemia. This Week has been celebrated for the past 21 years on the last week of May.<br><br>The treatment of leukemia and cancer can only turn into success with the support of individuals, institutions and corporate partners from all around the world. We, as LÖSEV, believe that by sharing ideas, experiences and information, we can improve the lives of our children and provide then a healthy and therefore, better future.
+
+
+
+ https://staging.giveth.io/project/Zywiec-Development-Foundation
+ Zywiec Development Foundation
+ Our mission is to develop and strengthen social capital in Zywiec region which could happen on the<br>basis of local identity, as the social capital determines all positive changes. We realize that it could<br>happen through improvement and implementation of grants for organizations, informal groups and<br>individuals from the region.
+
+
+
+ https://staging.giveth.io/project/Romis-Way
+ Romis Way
+ Romis Way is a concept to restore balance between people, animals and environment.<br><br>Romis Way mission is to promote actions with triangulated benefits directed towards humans, animals and environments wellbeing altogether.
+
+
+
+ https://staging.giveth.io/project/The-Wyman-Center
+ The Wyman Center
+ Our mission is to empower teens from economically disadvantaged circumstances to lead successful lives and build strong communities.<br><br>We envision a day when all young people in America will thrive in learning, work, and life
+
+
+
+ https://staging.giveth.io/project/G-8-Grupo-de-las-Ocho-Comunidades-Aledanas-al-Cano-Martin-Pena
+ G-8, Grupo de las Ocho Comunidades Aledañas al Caño Martín Peña
+ The ENLACE Cano Martin Pena Project (ENLACE Project) is an innovative initiative that pursues the environmental rehabilitation of the Cano Martin Pena (CMP), a highly polluted tidal channel in the heart of San Juan, Puerto Rico, and the social, economic, and urban transformation of its surrounding communities through participatory democracy, community organizing, and intersectoral partnerships that guarantee residents a central role and empowerment.<br>Three institutions that work in close partnership were designed by seven communities adjacent to the Cano Martin Pena to facilitate the implementation of the ENLACE Project.<br>The Fideicomiso de la Tierra del Cano Martin Pena (Fideicomiso) is a community land trust that is a private, nonprofit organization with independent juridical personality that owns and manages the 200 acres of land, collectively owned by its members, for the benefit of all the residents of communities located along the Cano Martin Pena. Its mission is to own and manage lands and other assets for the benefit of the residents of the Cano Martin Pena Special Planning District, in order to promote comprehensive and sustainable development, overcome poverty, and foster a healthy relationship between the urban environment, the city, and the communities. This instrument regularizes land tenure of approximately 1,500 families, preventing gentrification as an unintended consequence of the Cano Martin Pena ecosystem restoration project.<br>The Corporacion del Proyecto ENLACE del Cano Martin Pena (ENLACE) is a government corporation with a limited lifespan, created under PR Act 489-2004 to implement the ENLACE Cano Martin Pena Project, whose main contents are included in the Comprehensive Development and Land Use Plan for the Cano Martin Pena Special Planning District. Through strong partnerships with private and public entities, and strong community participation in the decision making process, ENLACE implements projects and programs that transform Cano Martin Pena communities through socio economic development; improvements to their public space, infrastructure, and housing; as well as the environmental restoration of the Cano thorough its dredging. <br>The G-8, Grupo de las Ocho Comunidades Aledanas al Cano Martin Pena, Inc. (G-8) is a community based non-profit organization that brings together 12 grassroots organizations from the Cano Martin Pena Special Planning District and the Cantera Peninsula as a strategy to unite with a common voice around the issues that are pertinent to all the neighborhoods along Martin Pena. The G-8 is a critical and effective partner that ensures participation in the decision making process and implementation of the ENLACE Project. Their mission is to promote the interests of the residents of each of the eight communities, and their assertive and effective participation in environmental restoration and community development processes, through programs, strategies, and activities aimed towards avoiding displacement, grassroots action, and comprehensive community development that improves the quality of life of the residents. The G-8 oversees the Fideicomiso and the ENLACE Project Corporation, and connects their work to the residents. The community leaders of G-8 do not make important decisions for the residents-instead, they create the conditions that allow the residents to decide and act themselves.
+
+
+
+ https://staging.giveth.io/project/MBARARA-RISE-FOUNDATION
+ MBARARA RISE FOUNDATION
+ MRFs mission is a united voice for grassroots youths and young people living with HIV towards the realization of health rights and socio-economic justice.
+
+
+
+ https://staging.giveth.io/project/Perspektywy-Education-Foundation-(Fundacja-Edukacyjna-Perspektywy)
+ Perspektywy Education Foundation (Fundacja Edukacyjna Perspektywy)
+ Perspektywy Education Foundation (Fundacja Edukacyjna Perspektywya- in Polish) is an independent, non-profit national organization established June 1st, 1998 to promote and support education. It plays an important role on the domestic scene actively promoting quality of education, diversity and equality. The Board of Foundation consists of present and former rectors of Polish universities and other outstanding public figures interested in the development of higher education in Poland.
+
+
+
+ https://staging.giveth.io/project/Zimbabwe-Educational-Trust-(ZET)
+ Zimbabwe Educational Trust (ZET)
+ Supporting Zimbabwean communities to keep children in school and out of poverty.
+
+
+
+ https://staging.giveth.io/project/Y-No-Habia-Luz-Inc
+ Y No Habia Luz, Inc
+ Provide interdisciplinary artistic experiences that awaken in people sensitivity, beauty, creativity, freedom of thought and spirit, conscience, solidarity and social justice in Puerto Rico and the world.
+
+
+
+ https://staging.giveth.io/project/Lemons-of-Love-Inc
+ Lemons of Love, Inc
+ Lemons of Loves mission is to share love with those impacted by cancer through personalized care packages, free programs and ongoing support.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Omar-Dengo
+ Fundacion Omar Dengo
+ Contribute to the improvement of the quality and equity of learning opportunities of the population to enhance their human development, through innovative educational proposals and models focused on people and the use of digital technologies.
+
+
+
+ https://staging.giveth.io/project/SIRIUS-ANIMAL-RESCUE
+ SIRIUS ANIMAL RESCUE
+ To rescue, rehabilitate and rehome animals (mainly cats and dogs). To provide a spay and neuter programme for stray and owned dogs. To educate the local population on the care of animals.
+
+
+
+ https://staging.giveth.io/project/Light-Into-Europe-Charity
+ Light Into Europe Charity
+ We are a national disability charity that supports people with hearing or vision loss to lead an independent life, to be respected and valued members of the Romanian society. <br> What we believe <br>A future where people with disabilities contribute to and benefit from the cultural, social, political and economic life of Romania on an equal basis as others.
+
+
+
+ https://staging.giveth.io/project/Each-One-Teach-One
+ Each One Teach One
+ To fight illiteracy, unemployment and poverty in South Africa by means of social enterprise <br>aimed at entrepreneur <br>development, skills transfer and talent enhancement for the youth of South Africa with focus on <br>Tourism and Hospitality, Education, arts and Culture, business development and events <br>management
+
+
+
+ https://staging.giveth.io/project/MOLO-BRASS-BAND
+ MOLO BRASS BAND
+ To create a musical and artistic community which is rich with cultural, social and intellectual diversity.<br>To give the youth and children intensive professional education in their musical disciplines.<br>To prepare the children with a solid foundation in music and expansive education in the liberal arts.
+
+
+
+ https://staging.giveth.io/project/Keep-The-Dream196
+ Keep The Dream196
+ VISION: To see all children enter adulthood with holistic skills and abilities necessary to contribute effectively to the development of South Africa<br><br>ORGANISATION MISSION:<br> "Our mission is to assist children to overcome difficult life circumstances by building resilience, physically, emotionally, spiritually and psychologically, using a Rights based framework, so they are able to realize their full potential and contribute to the building of South Africa.
+
+
+
+ https://staging.giveth.io/project/DAKTARI-Bush-School-Wildlife-Orphanage
+ DAKTARI Bush School Wildlife Orphanage
+ The mission of DAKTARI is to inspire, motivate, and educate underprivileged children to care for their environment through the medium of a wildlife orphanage.
+
+
+
+ https://staging.giveth.io/project/AGUACERO-TECNOLOGIA-Y-SALUD-COMUNITARIA-AC
+ AGUACERO TECNOLOGIA Y SALUD COMUNITARIA AC
+ Our mission is to create solidarity actions aimed at construction and<br>community training in clean water systems, as well as various<br>appropriate technology and preventive health community projects aimed at<br>improving the living conditions of indigenous rural communities in the<br>state of Chiapas, with the objective of promoting inclusive local<br>development models that promote social justice, gender equity and care for<br>the environment.
+
+
+
+ https://staging.giveth.io/project/David-McAntony-Gibson-Foundation
+ David McAntony Gibson Foundation
+ The David McAntony Gibson Foundation, which operates as GlobalMedic, has provided life-saving aid in the aftermath of disasters since 2002. We were founded based on the idea that aid could be delivered more effectively and efficiently. GlobalMedics goal has always been to get the right aid to the right people at the right time. Professional emergency workers along with other professional and skilled volunteers help deliver our programs to the people who need it most.<br>GlobalMedic strives to be innovative and cost-effective in every aspect of our organization. Whether it is re-imagining existing products, developing our award winning RescUAV program or finding new ways to engage Canadians, we are always looking forward.
+
+
+
+ https://staging.giveth.io/project/United-Way-South-Africa
+ United Way South Africa
+
+
+
+
+ https://staging.giveth.io/project/Korean-Association-for-Safe-Communities-(KASC)
+ Korean Association for Safe Communities (KASC)
+
+
+
+
+ https://staging.giveth.io/project/Sesobel
+ Sesobel
+ For over 44 years, SESOBEL has taken all possible steps to implement a coherent and monitored service of assisting children with disability and to accompany their families as partners in facing lifes challenges. SESOBEL has worked equally hard with all elements of society for them to recognize the value, dignity, and respect for children with disability.
+
+
+
+ https://staging.giveth.io/project/Julianas-Animal-Sanctuary
+ Julianas Animal Sanctuary
+ Juliana’s Animal Sanctuary is the first sanctuary in Colombia for animals that are considered food.<br><br>We are also the first farm animal sanctuary fully certified by the Global Federation of Farm Sanctuaries in South America.<br><br>Additionally, we have established strong educational programs, including vegan cooking workshops, vegan comics, vegan food relief, and strong social media activism.
+
+
+
+ https://staging.giveth.io/project/Fundacion-de-Ayuda-al-Nino-Necesitado
+ Fundacion de Ayuda al Nino Necesitado
+ OUR MISSION, THE CREATION AND REALIZATION OF INCLUSIVE EDUCATIONAL DAYS ADAPTED SPECIFICALLY TO CHILDREN WITH DIVERSITY, AT RISK OF SOCIAL EXCLUSION, PATIENTS OF CHRONIC DISEASES OR IN OTHER SITUATIONS OF NEED, THROUGH TOOLS SUCH AS EDUCATION AND SOCIAL TRANSFORMATION
+
+
+
+ https://staging.giveth.io/project/Asociacion-Centro-de-Rehabilitacion-para-Ciegos
+ Asociacion Centro de Rehabilitacion para Ciegos
+ To prevent blindness caused by ophthalmological diseases, as well as, preserve visual health and promote social integration of visually impaired people that are part of the vulnerable population on Morelos, Mexico.
+
+
+
+ https://staging.giveth.io/project/SHiFT
+ SHiFT
+ SHiFT is a social innovation hub leading the transformation of post-conflict and/or marginalized zones towards peaceful and prosperous communities. We bring people together and bridge differences through building capacities, raising awareness, creating opportunities, promoting success models and mentoring.
+
+
+
+ https://staging.giveth.io/project/Our-Hope-Heya-Masr-for-Society-Development
+ Our Hope Heya Masr for Society Development
+ Our mission is to restore a sense of dignity and pride in young Egyptian women by building their self-confidence and empowering them mentally and physically to develop themselves.<br><br>Heya Masr targets disadvantaged young girls and boys aged 6-18 to strengthen their character. We do this by providing a safe and nurturing environment for physical activities, nutritional and healthy lifestyle education, character development activities, sexual harassment, and bullying awareness and self-defense strategies. We believe that to make an impact, and we need to educate both young women and men equally.<br><br>Heya Masr is empowering a young generation of girls and boys now for a better Egypt tomorrow.<br><br>Heya Masr uniquely targets girls at an early age since we rely on UN studies (1) that indicate that<br>behavioral changes occur at the early stages of development. This approach helps us equip women<br>with mechanisms to rise above the negative impacts of extreme deprivation, abuse, and other adversities in<br>their most formative years of development. We seek a proactive impact on women during adolescence to<br>become stronger, more confident, and independent, thereby positively influencing future<br>generations in Egypt.<br>(1)UN Study: Changing perspectives on early childhood: theory, research, and policy by Martin<br>Woodhead 2006
+
+
+
+ https://staging.giveth.io/project/Escuela-de-Educacion-Especial-de-San-Miguel-de-Allende-AC
+ Escuela de Educacion Especial de San Miguel de Allende AC
+ Our mission is to ensure that all San Miguel de Allende children who are Deaf or Hearing Impaired become literate, independent, and productive citizens who set and achieve life goals.
+
+
+
+ https://staging.giveth.io/project/Kenya-Community-Development-Foundation
+ Kenya Community Development Foundation
+ To Promote Social Justice and the Sustainable Development of Communities
+
+
+
+ https://staging.giveth.io/project/Pink-human-rights-defender-NGO
+ Pink human rights defender NGO
+ Create a safe space for LGBT people by promoting well-being and protection in all spheres of life.
+
+
+
+ https://staging.giveth.io/project/Taiwan-Digital-Talking-Books-Association-(TDTB)
+ Taiwan Digital Talking Books Association (TDTB)
+ Our mission is to develop and promote DAISY (Digital Accessible Information System) format in Taiwan to enable people with acquired visual disabilities equal access to information and knowledge.<br><br>Our goals include to produce talking books in DAISY format, to train visually impaired people to access computers and internet with screen reader of NVDA (Non-Visual Desktop Access), and to provide people suffering from visual loss with vocational training and counseling.
+
+
+
+ https://staging.giveth.io/project/Amigos-de-San-Cristobal-AC
+ Amigos de San Cristobal AC
+ Generate synergies between different sectors of our community to achieve a just and equitable society that allows a decent life for all.
+
+
+
+ https://staging.giveth.io/project/T21
+ T21
+
+
+
+
+ https://staging.giveth.io/project/Tamar-Center
+ Tamar Center
+ We want to bring hope and healing to the estimated 35000 girls and women that are working in the sex industry in Pattaya, Thailand<br><br>At the core of Tamars heart is our desire to provide the girls with an alternative to the often devastating job as a bar girl (prostitute). To achieve this goal we deploy various activities to help the girls each step of their way to a new life. <br><br>We reach out to the girls working in the bars, through:<br>Bar outreach<br>Banquet parties<br>Pregnancy counseling<br>English Class<br> <br>We offer vocational trainings to the girls who stepped out of their work in the bars, to prepare them for a new life with new ways to earn a living:<br>Card crafting<br>Hairdressing<br>Bakery / Restaurant<br>Business training<br>Accommodation<br>Nursery<br> <br>We deploy reconnection and prevention programs in Issan, the area in North-Eastern Thailand (where most of the girls come from):<br>Prevention Center Khorat<br>Prevention Center Chaiyaphum
+
+
+
+ https://staging.giveth.io/project/Highlands-College
+ Highlands College
+ Highlands College is a biblical higher education institution that exists to supply the Church with leaders of competence, character, and spiritual maturity, holistically trained to lead lives of eternal impact by fulfilling the Great Commission.
+
+
+
+ https://staging.giveth.io/project/Bunyan-Genclik-ve-Kalknma-Dernegi
+ Bunyan Genclik ve Kalknma Dernegi
+ Improvement of the quality of education and strengthening the values to contribute to the rise of the Syrian society.
+
+
+
+ https://staging.giveth.io/project/Barking-Dagenham-Youth-Zone
+ Barking Dagenham Youth Zone
+ Barking & Dagenham Youth Zone, named Future by young people, gives young people in Barking and Dagenham somewhere to go, something to do, and someone to talk to. We are open 7 days a week, whenever schools are closed, offering 20+ activities every session, including sports and arts. Most importantly all our activities are delivered by trained youth workers who provide positive role models.
+
+
+
+ https://staging.giveth.io/project/Banco-de-Alimentos-de-Hermosillo-IAP
+ Banco de Alimentos de Hermosillo IAP
+ Ser la institucion que por excelencia, lleva de manera eficaz, desde el rescate hasta la entrega de alimento a quienes mas lo necesitan, y ser lider en combatir el hambre en la ciudad de Hermosillo, el estado de Sonora y el pais, por medio de alianzas con la sociedad civil, el empresariado y la academia, y, el apoyo de las personas de buena fe.
+
+
+
+ https://staging.giveth.io/project/Atzin-Mexico-Atzin-Desarrollo-Comunitario-AC
+ Atzin Mexico Atzin Desarrollo Comunitario AC
+ ATZIN DESARROLLO COMUNITARIO<br>Tlamacazapa, Mexico<br>www.atzin.org<br><br>MISSION: Atzin is a non-profit humanitarian organization registered in Mexico, with a charitable sister association in Canada. Atzin assists rural people, particularly indigenous women, to attain better life opportunities, stronger cultural wellbeing, and greater self-sufficiency with more peaceful governance. <br><br>In 1997, Atzin was formed to counter this cycle of poverty and violence in Tlamacazapa. Atzin means "sacred water" in the local language, Nahuatl. Its humanitarian development programs emerged gradually in response to community needs and now focus on four integrated sectors: health and healing, income generation, education, and environment, water and sanitation.<br>PROGRAMS<br> Health and Healing Programs include a special needs program, a dental and oral health program, and supports local midwives in safe motherhood services. <br> Income Generation Programs provide technical support for small business development, such as a weavers cooperative, a sewing workshop, and a small store run by local women. <br> Community Education and Literacy Program integrates local responsibility with continuous learning. The programs include intensive training schools for young women, an open-air education program for out-of-school children; tutoring for those in school who require assistance; literacy classes for women and youth, and an early childhood stimulation program for children aged 1-5 years old.<br> Environment, Water and Sanitation Program introduces an ecological rocket stoves to families. For more than a decade constructed household dry toilets and rainwater harvest tanks, monitored water quality and investigated toxicity from multiple sources and its effects on people.<br>MISSION AND PHILOSOPHY<br> Through these programs, Atzin provides an external presence that is stimulating personal and social change in rhythm with the people of Tlamacazapa. Its goal is to assist villagers to reclaim their cultural identity and strength of personal worth. Working in Tlamacazapa over the past years, the Atzin team gradually pieced together a big puzzle of a complicated village situation. At the beginning, it was easy to see the living conditions of severe economic poverty. It took time, listening, many questions and a digging for data, to realize the critical environmental problems and importantly, the suffering caused by a collective poverty of spirit. A poverty of spirit means that people cant imagine that tomorrow will be any different than today or yesterday. The Nahuatl word, Tlamacazapa, translates as "people who are fearful" and is a cultural reflection of their history. The original inhabitants ran to escape the Spanish invaders more than 500 years ago, settling on a rocky, infertile mountain slope where they found water. An attitude of fearfulness has continued over the centuries, and now is coupled with other negative feelings of insecurity, victimization and rigidity. People tend to be distrustful, jealous of their neighbours and are not able to work together as a community. Hopelessness often prevails, with most impoverished families having little vision for a better future.<br> Bring enough resources to bear on a situation and environmental degradation and economic poverty can be solved if people can work together with a common purpose. But a poverty of spirit crushes this possibility from the start. Thats why Atzin focuses on bringing people together to support one another. Whether its a group of women sewing quilts, preparing food for the school breakfast program, or discussing problems faced by young families, Atzins approach is people-centered. The task is to create opportunities on many fronts. Individuals learn to trust over time as they share and discuss, help each other, and seek solutions step by step together. Our annual ten day training retreat for young village women is a dramatic example of community building. The training is highly participatory as well as challenging, allowing the women to form friendships, greater insights and a sense of common-unity. This is vital foundational "glue." These women all carry program responsibilities as "promoters" and in turn, influence others in a positive rippling effect. <br> Let us consider the heart of the puzzle: a sense of empowerment always starts with a spark of possibility and grows from within. No one can actually empower someone else or hand them a richer spirit or life. The nurturing of that inner spark is the real work of development. Atzin is about people everywhere working together, patiently, energetically and lovingly, to re-humanize our world. Its about committed individuals making a world of difference.
+
+
+
+ https://staging.giveth.io/project/Healing-Venezuela
+ Healing Venezuela
+ 1) PROVIDING OR ASSISTING IN THE PROVISION OF HEALTH-RELATED SUPPLIES; <br>2)PROVIDING SUPPORT IN THE IMPROVEMENT OF MENTAL HEALTH AND<br>3)ENABLING THE EXCHANGE OF MEDICAL EXPERTISE, AND ADVICE TO VENEZUELAN DOCTORS AND HOSPITALS
+
+
+
+ https://staging.giveth.io/project/Inland-Waterways-Association:-Northampton-Branch
+ Inland Waterways Association: Northampton Branch
+
+
+
+
+ https://staging.giveth.io/project/Hagamos-Mas-por-Santa-Rosalia-AC
+ Hagamos Mas por Santa Rosalia, AC
+ Encourage sustainable development for Santa Rosalia through the promotion and support of productive options that represent a benefit for the community in order to create new sources of employment, as well as the development of community projects.
+
+
+
+ https://staging.giveth.io/project/Clean-Up-Australia-Ltd
+ Clean Up Australia Ltd
+ To inspire and empower communities to fix up, clean up and conserve the environment. To provide an opportunity for the Australian community to make a practical and worthwhile contribution to the environment.
+
+
+
+ https://staging.giveth.io/project/Macquarie-University
+ Macquarie University
+ .
+
+
+
+ https://staging.giveth.io/project/Inspire-Church
+ Inspire Church
+ Inspire Church helps people fulfill heir God-given potential by reaching people, making disciples, and multiplying leaders.
+
+
+
+ https://staging.giveth.io/project/Wombat-Support-and-Rescue-NSWACT-Incorporated
+ Wombat Support and Rescue NSWACT Incorporated
+ Doing rescue of wombats when hit by cars or shot and left to die by farmers.<br>Implementing large scale treatment programs to eradicate sarcoptic mange in wombats<br>Create awareness and provide training/presentations to educate the public and politicians in the plight of wombats
+
+
+
+ https://staging.giveth.io/project/Broken-Ballerina-Inc
+ Broken Ballerina Inc
+
+
+
+
+ https://staging.giveth.io/project/Foodbank-Australia-Limited
+ Foodbank Australia Limited
+ To deliver the most food to the most Australians in need in the most efficient and effective way
+
+
+
+ https://staging.giveth.io/project/The-Bike-Project
+ The Bike Project
+ The Bike Projects mission is simple - to match up refugees and asylum seekers without the means or money to travel around the city, with the thousands of abandoned or unwanted bikes in the UK. <br>Whilst their claim for asylum is being processed, refugees are denied permission to work, and instead receive an allowance of just 38 per week. With a weekly bus pass costing around 20, many refugees cannot afford to access essential services or opportunities and are at risk of social isolation.<br><br>The Bike Project has proved that a bike can make a difference. Our beneficiaries are better equipped to access vital services, more connected to their community, happier, healthier and financially better off because of our work.
+
+
+
+ https://staging.giveth.io/project/Southside-Cluster-Industry-Placement-Service-Inc
+ Southside Cluster Industry Placement Service Inc
+
+
+
+
+ https://staging.giveth.io/project/Beats-Rhymes-and-Life-Inc
+ Beats Rhymes and Life Inc
+ We exist to cultivate dynamic culturally-congruent services, through the therapeutic power of Hip Hop, that inspires youth to recognize their own capacity for healing.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Kororoit-Creek
+ Friends of Kororoit Creek
+ Our mission is to undertake activities that protect and enhance the environment and habitat corridor along the Kororoit Creek. We seek to involve, inspire and empower our local community.
+
+
+
+ https://staging.giveth.io/project/EcoHealth-Alliance
+ EcoHealth Alliance
+ EcoHealth Alliance develops science-based solutions to prevent pandemics and promote conservation.
+
+
+
+ https://staging.giveth.io/project/WONDER-Foundation
+ WONDER Foundation
+ Our mission is to empower women, girls and their community through access to quality education so that they can exit poverty for good. We recognise the intrinsic dignity of every human being as the basis of their human rights and freedom at each stage of their lives. Each person has the right to be respected and empowered to make informed decisions about their own lives and to give that same respect to those around them.
+
+
+
+ https://staging.giveth.io/project/St-Vincent-De-Paul-Society-NSW
+ St Vincent De Paul Society NSW
+ The St Vincent de Paul Society is a lay Catholic organisation that aspires to live the gospel message by serving Christ in the poor with love, respect, justice, hope and joy, and by working to shape a more just and compassionate society.
+
+
+
+ https://staging.giveth.io/project/Virgin-Islands-VOAD
+ Virgin Islands VOAD
+ Our mission of unifying all community service organizations to help diminish the effects of disasters on the people of the VI, and increase our ability to address disaster related unmet needs.
+
+
+
+ https://staging.giveth.io/project/Yemen-Family-Care-Association(YFCA)
+ Yemen Family Care Association(YFCA)
+ To contribute effectively in humanitarian response and sustainable development through a neutral and accountable team for building resilient local communities
+
+
+
+ https://staging.giveth.io/project/Northern-Rivers-Community-Foundation
+ Northern Rivers Community Foundation
+ Northern Rivers Community Foundation (NRCF) strives for a compassionate, generous and equitable community, connected to each other and the land that supports us. NRCF connects people and communities to tackle social and environmental challenges in the Northern Rivers region of NSW, Australia. We focus our philanthropic support on small community grants; disaster recovery, resilience & regeneration projects; capacity building initiatives; scholarship programs and providing back to school support for disadvantaged children.
+
+
+
+ https://staging.giveth.io/project/Rainforest-Rescue
+ Rainforest Rescue
+ Rainforest Rescue is a not-for-profit organisation that has been protecting and restoring rainforests in Australia and internationally since 1999 by providing opportunities for individuals and businesses to Protect Rainforests Forever.<br><br>Our mission is to inspire, engage and build community for the protection, preservation and restoration of rainforests through fundraising and education.<br><br>Our objectives are:<br>1. The protection and enhancement of the natural environment.<br>2. The conservation of rainforests and the preservation of the biodiversity of rainforest ecosystems.<br>3. The restoration, rehabilitation, enhancement and management of remnant and regrowth rainforest.<br>4. The revegetation of ex-rainforest lands, including without limitation the establishment and ongoing management of rainforests plantings or signficant ecological value.<br><br>The strategies that we employ to achieve these objectives is to:<br>1. Seek funding in the form of donation and sponsorships from individuals, businesses and philanthropic trusts and foundations.<br>2. Purchase and protect high conservation value rainforest and preserve its biodiveristy; and<br>3. Finance projects that re-establish rainforests through planting, maintenance and restoration programs.<br><br>Rainforest Rescue meaures its performance of these objectives and strategies through ongoing governance, financial management and corporate compliance, therefore achieving the environmental objectives of the organisations constitution being the protection and preservation of rainforests.<br><br>Rainforest Rescue is an Australian registered company limited by guarantee and a registered charity with deductible gift recipient status. We are also on the Australian Register of Environmental Organisations.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-For-Tumut-Region
+ Community Foundation For Tumut Region
+ The Community Foundation for Tumut Region<br>Objectives:<br><br>To make a difference where we live<br><br>To give where we live<br><br>To be a lasting community asset<br><br>Mission:<br><br>Assist and support the aspirations and needs of our community by attracting funds for a focus on giving.<br><br>Values:<br><br>The Community Foundation for Tumut Region embraces that all relationships and decision making will consider the following values:<br><br>Justice - acting in a manner which takes into consideration the wellbeing of the individual and the common good of the community.<br><br>Respect - acting in a manner that shows a genuine understanding and appreciation of the qualities, rights and beliefs of others.<br><br>Integrity - acting in a manner that is truthful, open and consistent.<br><br>Compassion - acting in a manner that demonstrates empathy and support.<br><br>Commitment - acting with dedication and perseverance to achieve our goals<br><br>Collaboration - acting in a manner that values diversity, cooperation and openness.<br><br>To be fair dinkum in all our actions - authentic, genuine and on the level.
+
+
+
+ https://staging.giveth.io/project/Kagumu-Development-Organization
+ Kagumu Development Organization
+ To improve the lives of communities by empowering them to participate in Social, and Economic development initiatives.
+
+
+
+ https://staging.giveth.io/project/Mountain-View-Church-Ministries
+ Mountain View Church Ministries
+ To Celebrate Jesus and Help You Win.”<br><br>Being a Christian is all about Celebrating Jesus as Lord of our life and being in the family of God. Everything we do at MV stems from the desire to help you be the best member of that family you can be. So with every decision we make, every program we establish, and every dollar we invest, we are committed to Celebrating Jesus and helping YOU and YOUR family win!
+
+
+
+ https://staging.giveth.io/project/Rwenzori-Center-for-Research-and-Advocacy
+ Rwenzori Center for Research and Advocacy
+ Empowering communities for improved livelihoods, healthcare and education appropriate for the 21st century through awareness, services delivery, research, technology, and innovation
+
+
+
+ https://staging.giveth.io/project/Kole-Intellectual-Forum
+ Kole Intellectual Forum
+ To empower the youth in Uganda; through, action research, modern telecommunication system and entrepreneurship skills.
+
+
+
+ https://staging.giveth.io/project/The-Home-Aid-Foundation-Uganda
+ The Home Aid Foundation Uganda
+ Home Aid foundation Uganda is a non-profit voluntary organization committed to provide support, inspiration and empowerment of the vulnerable people. We are dedicated to help the needy persons most especially the elderly, orphans, women, needy children and youth who are so vulnerable from grass roots to gain the modern world.
+
+
+
+ https://staging.giveth.io/project/Education-Matters
+ Education Matters
+ Education Matters matches talent with opportunity. We believe that youth hold the keys to the future, and we are here to help motivated students realize their dreams through education.<br><br>Our Programs Include:<br><br>USAP Community School<br>USAPCS identifies high-achieving, low-income students with demonstrated leadership potential and an ethos of giving. Our unique Quaker school community prepares these students to apply for admission and scholarship to top colleges and universities in the United States and elsewhere with the aim of returning home to Zimbabwe to build society.<br><br>Student Athlete Cohort<br>Education Matters Student Athlete Cohort works with exceptional high school student athletes to apply for sports scholarships at colleges and universities in the United States. We value the balance between academics and athletics and seek the best match for each student.<br><br>Zimbabwe Career Connect<br>Zimbabwe Career Connect is an experiential learning program that matches Zimbabwean students studying in the United States with organizations and companies in Zimbabwe for a two month internship during their June-July holidays.<br><br>Yale Young African Scholars<br>Education Matters is the local partner for the Yale Young African Scholars Program in Zimbabwe. We mentor the Zimbabwean students involved in the program and work with local educators to offer workshops on the U.S. admissions process. The Zimbabwean YYAS program takes place in annually in August in Harare.<br><br>Rise<br>Education Matters is the Zimbabwe anchor partner for the Rise program, a collaboration between the Rhodes Trust and Schmidt Futures, that identifies exceptional young people and cultivates their leadership and talents through opportunity.
+
+
+
+ https://staging.giveth.io/project/Into-Our-Hands-Community-Foundation-Limited
+ Into Our Hands Community Foundation Limited
+ We are a Community Foundation that invests n projects and initiatives aimed at building the capacity, strength, cohesiveness and well-being of the many smaller communities in north east Victoria.
+
+
+
+ https://staging.giveth.io/project/Fondazione-La-Stampa-Specchio-dei-tempi-onlus
+ Fondazione La Stampa Specchio dei tempi onlus
+ Non profit organization that helps weak populations: elderly, children or victims of natural disasters.
+
+
+
+ https://staging.giveth.io/project/Fundacja-Inspiring-Girls-Polska
+ Fundacja Inspiring Girls Polska
+ Inspiring Girls Polska foundations mission is to inspire girls to become leaders of the future - to formulate and realize their dreams and ambitions with integrity and courage and by that, influence the surrounding world. We provide our support through linking girls with inspiring role models during mentoring events that we organize in schools and local environments.
+
+
+
+ https://staging.giveth.io/project/Food-for-Life-Ukraine
+ Food for Life Ukraine
+ Our mission is to distribute hot vegetarian food to everyone who is in need.
+
+
+
+ https://staging.giveth.io/project/Mumbulla-Foundation
+ Mumbulla Foundation
+ The main activities of Mumbulla Foundation are raising revenue through fundraising, donations, memberships, investment and other means as allowed under the Constitution and awarding, on an annual basis, grants to not-for-profit and charitable organisations and auspiced groups within the Bega Valley Shire. These grants are provided for social, environmental, educational, and cultural activities to improve the well-being and opportunities for all citizens of the Shire. The Foundation also supports the Bega Valley education sector through providing University of Wollongong Bega Campus scholarships and book prizes and back to school vouchers for primary and secondary schools.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Brooke-School
+ Friends of Brooke School
+
+
+
+
+ https://staging.giveth.io/project/Sisters-of-the-Immaculate-Heart-of-Mary-Mother-of-Christ
+ Sisters of the Immaculate Heart of Mary, Mother of Christ
+ Commitment to motivating people especially the poor and the less privileged to live venerable and dignified life through credibility structured programmes of evangelization at all levels, education at all levels and every dimension, varied medical services, humanitarian services, self -realization and self empowerment opportunities
+
+
+
+ https://staging.giveth.io/project/National-Network-of-Local-Philanthropy-Development
+ National Network of Local Philanthropy Development
+ The mission of our organization is the development of social capital and the culture of philanthropy for the sustainable development of communities in Ukraine.
+
+
+
+ https://staging.giveth.io/project/Ruth-Ellis-Center
+ Ruth Ellis Center
+ Creating opportunities with LGBTQ+ young people to build their vision for a positive future.
+
+
+
+ https://staging.giveth.io/project/Fly-The-Phoenix
+ Fly The Phoenix
+ Fly the Phoenix believes that education, as well as daily food, are basic human rights. In order to combat the imbalances of these rights, we are creating sustainable, 25-year cycle, educational community programs. These are funded by our local income-initiatives, challenges and international donations through our registered charity, Fly The Phoenix.
+
+
+
+ https://staging.giveth.io/project/Ora-Singers
+ Ora Singers
+ ORA Singers is an award-winning and critically-acclaimed professional vocal ensemble, recognised for its commitment to producing the highest quality choral music; continuing and enhancing the centuries-long tradition of choral singing in England. We do this primarily through performance, recording, commissioning and choral education. We believe that choral singing is truly at the heart of Britains classical music tradition, and we are committed to showcasing its beauty, power and relevance to a modern and demographically varied audience.<br><br>Building on our success of the last six years, we are developing a new vision of cross-cultural work that we believe will introduce British choral singing to a wider audience than ever before, both nationally and internationally. We will be collaborating with, and commissioning, extraordinary artists from other world music traditions, building musical bridges between different cultures.<br><br>We are also continuing to expand our educational programme, which reaches out to under-privileged young people across the UK. We provide free mentoring and access to professional musicians and musical opportunities to aspiring composers from state schools. We were inspired to build this programme by the continual reduction of support for music education in our state education sector, and the knock-on effect this is having on young peoples musical development and aspirations. <br><br>We have always supported the creation of new work, commissioning over 50 new musical pieces in the last six years, and with a target of 100 new works in 10 years. We have become known for our creative and prolific commissioning programme, providing employment and exposure to a huge number of composers, and building a legacy of early 21st century choral music which will continue to be performed for hundreds of years to come.
+
+
+
+ https://staging.giveth.io/project/Tabletochki-Charity-Foundation
+ Tabletochki Charity Foundation
+ Each child with cancer recovers.
+
+
+
+ https://staging.giveth.io/project/Tarana-Foundation
+ Tarana Foundation
+ Our mission is to uplift the standards of rural communities in Sri Lanka by supporting them in the areas of <br>- Education<br>- Water & Sanitation<br>- Climate & Environment<br>- Poverty & hunger related
+
+
+
+ https://staging.giveth.io/project/Imprint-Fund
+ Imprint Fund
+ Our goal is to support underfunded high-quality community impact initiatives in education, culture, health, family, and economic mobility. We work with unsung heroes and influencers who are intentional about transforming systemic conditions to create generational change for the new economy. While you can donate your crypto to provide general support our effort, you can also choose to select one of the following social impact initiatives from our portfolio:<br><br>New Freedom Theatre: Cultural arts is crucial to preserving the voice and legacy of communities, and this effort aims to restore a historic African-American performing arts theatre in Philadelphia. Plays stream online and are performed in-person. Performances are written and produced by Karl "Dice Raw" Jenkins of the "Legendary ROOTS crew" who also serves as Chairman of the theatre. The current production, "Forgotten Founding Fathers," highlights the incredible contributions of black historic heroes in the founding of America. (https://freedomtheatre.org/)<br><br>Paragon Academy: An effort to turn the successful Paragon Project, a music and education after school program into a pioneering fine arts and entrepreneurship private high school primarily serving families of color. Paragon serves students who come from extreme family dynamics (mental trauma, addiction, homelessness) who make positive social change music. The students have made 4 albums and 80% have been accepted into college. The program was founded by Dr. Michael Anthony Anderson based upon his doctoral work at the University of Delaware and other sustainable enrichment models he developed in Florida, Delaware, Pennsylvania, Ohio, and Sheffield, England (https://www.theparagonproject.org/).<br><br>For My Kidz: An underestimated inner city program capable of offering upwards 10,000+ community members mental health (therapy referral), academic enrichment, emergency service (housing for homeless), and workforce development programs. Founded by Jerel Wilson, a Baltimore native and local citizen-hero who has dedicated 15+ years of his life building trust in the heart of some of the most challenging communities in Baltimore, MD (https://www.formykidzbaltimore.org/).<br><br>XS Tennis Village: A sport for social good approach leveraging tennis and education to provide 3000+ underserved youth with a safe and positive pathway to college through a community-based academic enrichment program. Founded by elite tennis coach Kamau Murray (best known for coaching Sloan Stephens to US Open title in 2017), XS Village is likely the only black founded replicable tennis academy in the world, located on 30-acres in the heart of South Side of Chicago (https://www.xstennis.org/).
+
+
+
+ https://staging.giveth.io/project/Prithipura-Communities
+ Prithipura Communities
+ Prithipura Communities is a non-profit organisation, that works to enable individuals with disabilities reach their full potential and ultimately reintegrate into wider society, through providing a loving home, rehabilitation, education, training, and employment, and promoting the intrinsic value of all humans regardless of disability.<br><br>Building Lives and Abilities
+
+
+
+ https://staging.giveth.io/project/Care-for-Children
+ Care for Children
+ Established in 1998, Care for Children is a global childrens charity with a vision and mission to see children across the world moved out of orphanages and into local families, where they can be nurtured to reach their full potential. <br><br>Care for Children helps countries to reduce their reliance on orphanages and other institutions by developing family-based alternatives for orphans and vulnerable children, such as long-term foster care.
+
+
+
+ https://staging.giveth.io/project/The-Small-World
+ The Small World
+ The Small World is a not-for-profit charitable organization supporting locally driven sustainable community development projects. These projects help to provide education for children, especially young girls at risk for exploitation, and empowerment and opportunities for local communities to break the cycle of poverty.
+
+
+
+ https://staging.giveth.io/project/HANDS-AROUND-THE-WORLD
+ HANDS AROUND THE WORLD
+ HANDS AROUND THE WORLD seeks to help vulnerable children around the world, encouraging enthusiastic and well-prepared volunteers to offer practical help, skill-sharing, support and friendship.
+
+
+
+ https://staging.giveth.io/project/World-Heart-Beat-Music-Academy
+ World Heart Beat Music Academy
+ The World Heart Beat Music Academy envisions a world where music bridges cultural, political, economic and linguistic barriers. We aim to inspire a passion for playing musical instruments and influence a generation of often alienated young people. We provide music tuition and personal development opportunities to over 260 children and young people between the ages of 5 and 24 years, who are based in Wandsworth and the surrounding London boroughs. Many of our students come from a range of challenging backgrounds. Some are the main carer for parents or siblings, some come from households with a history of drug addiction and alcohol abuse, some are classified as not in education, employment or training (NEET) and many are recent migrants and refugees, often moving into the UK without their parents or guardians. Many have difficulties engaging in school and finding employment when they are older. From our discussions with students, community leaders and teachers, we have learned that these young people are also less likely to engage with learning music and, therefore, unable to benefit from the social and personal development resulting from such activities. We provide students with tangible and useful experiences to develop their skills and build confidence, raise their aspirations and enable them to pursue whatever career they choose, in music or otherwise.
+
+
+
+ https://staging.giveth.io/project/Horses-of-HopeCaballos-de-Esperanza-Inc
+ Horses of HopeCaballos de Esperanza Inc
+ Our mission is to engage the therapeutic power of our horses to nurture the special abilities of children and adults with disabilities, help heal those suffering from trauma or other special challenges, and empower our clients to improve their lives, the lives of their families, and their community.
+
+
+
+ https://staging.giveth.io/project/Alliance-Anti-Trafic
+ Alliance Anti Trafic
+ Our mission is to protect and support women and children though prevention of, and direct support against, abuse, exploitation and human trafficking. AAT VIETNAM is a peer-based Non-Government Organization which was founded by a social worker with many years experience working in Vietnam and peer educators with a deep understanding of the Vietnamese context. We develop realistic projects to tackle the root causes of abuse, exploitation and human trafficking. <br><br>AAT VIETNAM is a pioneering NGO which has established the first models of action to tackle the causes and consequences of human trafficking and sexual exploitation in Vietnam over the past fifteen years.<br><br>AAT VIETNAM is unique thanks to its international task force network of local partners in fifteen countries worldwide, its direct field actions in five countries of Southeast Asia and its relationship and partnership with regional governments.<br><br>AAT Vietnams approach is to engage the Vietnamese population and Government to promote social development. <br>Preventative actions though awareness and education are at the core of our activities, in order to achieve mindset changes in our beneficiaries, empowering them to protect themselves.<br> <br>Currently AAT Vietnam is mainly focused on prevention through education at schools to combat social harms and associated issues. We offer a comprehensive extra curricular course to schools with a student-interactive and comprehensive approach, which educates students about Reproductive Health, sexuality, drug use, incest, early marriage, early pregnancy, abortion, self defense, migration, human trafficking, while increasing understanding of gender differences and human rights. Our goal is to make this course adaptable to the Vietnamese National Educational curriculum in order to reach all children in Vietnam and to achieve recognition by the Ministry of Education that this is an essential activity for the well-being of new generations and social development in general. <br><br>AAT Vietnam also focuses on the assistance and the protection of victims and potential victims of trafficking; offering repatriation, rehabilitation and reintegration services. We are able to offer effective services in this area when the government allows us to access to assess victims and provide support to them.<br><br>The work of AAT depends on foreign aid assistance.
+
+
+
+ https://staging.giveth.io/project/Peace-Bridges-Organization
+ Peace Bridges Organization
+ Identifying, training, and mobilizing a network of peacebuilders to be practitioners and resources for their communities in effective conflict resolution and transformation.
+
+
+
+ https://staging.giveth.io/project/Against-Malaria-Foundation-(US)
+ Against Malaria Foundation (US)
+ We fund and provide long-lasting insecticidal nets (LLINs) to protect those at risk from malaria.
+
+
+
+ https://staging.giveth.io/project/Rede-Cidada
+ Rede Cidada
+ Promote human and social development, for integration into the world of work, uniting companies, civil society and public authorities.
+
+
+
+ https://staging.giveth.io/project/Kidasha
+ Kidasha
+ Our vision is a world where all children have equality of opportunity; and our mission is to enable socially and economically excluded children in Western Nepal to fulfil their potential by improving their wellbeing, supporting their development, and reducing the impact of discrimination and social injustice.<br><br>We focus on improving access to health and education for mothers and children, and protection and support for children who live on the street. Our work benefits Nepals poorest and most socially excluded specifically <br><br> Children and mothers living in isolated rural communities <br> Children and families living in urban slums <br> Children living outside of parental care, including street and working children<br> Child victims of abuse sexual abuse and exploitation <br><br>We work in partnership with local communities, NGOs and the Nepali government, providing financial, technical and capacity building support in areas such as <br> <br> Social Mobilisation: engaging with communities to increase awareness and demand for services, such as healthcare and primary education;<br> Advocacy: supporting local communities to address the rights of excluded children, families and communities;<br> Local Capacity-Building: sharing skills, knowledge and experience to empower local organisations, children, families and communities to build their capacity to address their issues themselves ;<br> Local Service Strengthening: working to increase the effectiveness, quality and accountability of existing services by identifying gaps, creating demand and providing technical support;<br> Service Development and Support: supporting the development of services in situations where communities are beyond the reach of mainstream provision.
+
+
+
+ https://staging.giveth.io/project/Asosyasyon-Peyizan-Fondwa-(APF)
+ Asosyasyon Peyizan Fondwa (APF)
+ APFs mission is to reinforce the community of Fondwa Haiti, as well as, other local grassroots organizations throughout Haiti so that they can create wealth in their own rural communities. <br><br>The current APF Programs in Fondwa include:<br>- Basic Infrastructure creation and improvement (roads, buildings, irrigation, etc.);<br>- Environmental protection, renewable energy, and reforestation (solar power, tree planting, agricultural best practices, etc.)<br>- Access to drinking water, health care, financial services, and food security (potable water, clinic, credit union, orphanage, radio station, etc.)<br>- Education through a primary/secondary school for 600+ regional children and Haitis first rural peasant university<br>- Small businesses including Restaurant Lakay, construction material depot and transportation services<br>- Several post-earthquake construction projects continue
+
+
+
+ https://staging.giveth.io/project/Stiftelsen-Child10
+ Stiftelsen Child10
+ Child10s vision is a world free from child trafficking and other forms of commercial sexual exploitation of children. We believe that change is achieved by a holistic child rights-based approach. Together with grassroots organizations and other actors in the field we develop and advocate for powerful and durable solutions to ensure that the rights of every child are respected, protected, and fulfilled.
+
+
+
+ https://staging.giveth.io/project/Greater-Toledo-Community-Foundation
+ Greater Toledo Community Foundation
+ Fueled by passion, generosity, and leadership, Greater Toledo Community Foundation strengthens the community through philanthropy.
+
+
+
+ https://staging.giveth.io/project/Another-Hope-Childrens-Ministries
+ Another Hope Childrens Ministries
+ AHCM is committed to meeting the spiritual and physical needs of vulnerable children in Uganda, through strategic partnership, ministering and undertaking specialized and sustainable child focused initiatives.
+
+
+
+ https://staging.giveth.io/project/INSM-for-Social-Media-Organization
+ INSM for Social Media Organization
+ Advance digital rights in Iraq and the region through research, campaigns, training and advocacy that encourages users to engage with digital technologies, media, and networks. <br>Combating hate speech and incitement on the Internet and providing digital protection for human rights defenders, journalists, writers, activists and bloggers
+
+
+
+ https://staging.giveth.io/project/FUNDACION-UNITED-WAY-COLOMBIA
+ FUNDACION UNITED WAY COLOMBIA
+ Our mission is to mobilize resources from the private and public sectors to transform the Colombian educational ecosystem through sustainable, innovative and scalable solutions that adapt to the learning needs of children and young people in the twenty-first century and encourage them to continue learning.
+
+
+
+ https://staging.giveth.io/project/Mahavir-Kmina-Artificial-Limb-Center
+ Mahavir Kmina Artificial Limb Center
+ Mahavir Kminas mission is to contribute to the improvement of the quality of life of all amputees that due to their poor economic condition do not have access to proper medical care. Mahavir Kmina provides, free of charge, leg prosthesis including the manufacture, fitting and rehabilitation, allowing the beneficiary to walk again and become independent so that they can re-engage in life activities and thus having social, economic, cultural and educational development.
+
+
+
+ https://staging.giveth.io/project/RJDH(Reseau-des-Journalistes-pour-les-Droits-de-lHomme
+ RJDH(Reseau des Journalistes pour les Droits de lHomme
+ Selon les Statuts et le reglement interieur du RJDH de 2017 <br>Article 3 : DE LA VISION ET MISSION <br><br>Le RJDH/RCA uvre pour un veritable Etat de Droit en vue dune societe juste fondee sur des valeurs et respect des droits de lhomme, de la democratie et de la bonne gouvernance en bannissant toutes formes dalienation, afin de permettre a tout citoyen de parvenir a la connaissance de ses droits et devoirs, de sepanouir et de jouir de ses droits et libertes. <br>Article 4 : DE LA MISSION<br>Le RJDH/RCA a pour mission dassurer la promotion des Droits de lHomme par linformation et la communication. <br>Article 5 : DES OBJECTIFS GENERAUX <br>Par linformation et la communication, le RJDH/RCA semploie a :<br>- Initier et mettre en uvre des actions de nature a promouvoir les droits de lHomme; <br>- Accompagner et soutenir les structures de defense et de protection des droits lHomme. <br>Article 6 : DES OBJECTIFS SPECIFIQUES<br>Par linformation et la communication, le RJDH/RCA semploie a :<br>- Collecter, traiter et diffuser des informations relatives aux droits de lHomme, a travers des moyens innovants et adaptes en matiere de linformation et de la communication ; <br>- Mettre des informations a la disposition des structures de defense et protection des droits humains; <br>- Contribuer a promouvoir la communication des structures de defense et protection des droits humains.
+
+
+
+ https://staging.giveth.io/project/Sadhguru-Schools
+ Sadhguru Schools
+ Our mission is to invigorate a new generation of rural African youth to become changemakers, dedicated to improving the communities and world they inhabit.
+
+
+
+ https://staging.giveth.io/project/Support-to-Life-(STL)-Hayata-Destek-Dernegi
+ Support to Life (STL) Hayata Destek Dernegi
+ Support to Life is an independent humanitarian agency aiming to provide access to the basic fundamental rights to the communities which are affected by natural and/or man-made disasters with the principles of humanity, impartiality, neutrality, independence and accountability in Turkey and surrounding region.
+
+
+
+ https://staging.giveth.io/project/Companions-for-Heroes
+ Companions for Heroes
+ To champion public awareness of Post-Traumatic Stress Disorder (PTSD) and challenges confronting our country’s heroes and rally support for shelter animal adoption by connecting heroes and companions.
+
+
+
+ https://staging.giveth.io/project/ALEIMAR-Voluntary-Organization
+ ALEIMAR - Voluntary Organization
+ Aleimar is a volunteer organization that supports minors in difficult situations with no regard for differences in religion, race and culture. <br>Our mission "Together with the children of the world" encompasses and describes our goal: to support childrens health, nutrition, education and sociality, fostering the right environment for their human, social and cultural development.<br><br>In 30 years of activity, Aleimar has helped more than 10.000 children/families, has built more than 100 foster homes, orphanages, schools, water wells and installed 200 solar light equipment.<br><br>The main areas of our development projects are: <br><br>1. Child Protection <br>We support children in families, both adoptive and natural, in family homes and accommodation centers. Our goal is to guarantee the rights to a home, to play and to education and identity. <br><br>2. Health and Nutrition<br>We favor prevention and education campaigns and we are active with targeted interventions such as vaccinations and medicine distribution to curtail deadly diseases such as HIV, Malaria, Tuberculosis, Leprosy, etc. We also support nutrition and medical centers for undernourished children. We finance services for the promotion of the fundamental hygiene practices and correct nutrition habits, with the end goal of defeating malnutrition and infant mortality. <br><br>3. Education and Training<br>We operate to guarantee an adequate education to children from underprivileged families or children with disabilities by building, managing or co-sponsoring schools. We support the continuation of the studies of deserving students through scholarships for universities and professional studies. <br><br>4. Womens Empowerment<br>We support projects for the training and education of women, to encourage work as a tool for social acceptance and financial independence. <br><br>5. Environment and Development<br>We promote farming and breeding activities, which include production coops, micro-loans for entrepreneurial start-ups and projects for the improvement of the environment in which families and communities live. The end goal is to set these supported communities on the path for self-sustainability. We support the installation of photovoltaic panels for the generation of electric energy. <br><br>The Group comprises Aleimar for overseas project; Tuendelee for Italian projects and Prema, a cooperative for mentally disabled youth. The Group hires five people and relays on the voluntary service of 140 people. Its annual turnover is abt.1,2 million euro and overhead cost is less than 10%. Its balance sheet is checked and approved by internal auditors.<br><br>Aleimar is committed to managing the donated funds efficiently, reporting to all donors, institutional and private alike, according to the guidelines of the Italian Donation Institute (Istituto Italiano della Donazione - IID). The Financial Statements are public and can be viewed at any time.
+
+
+
+ https://staging.giveth.io/project/Salem-Union
+ Salem Union
+ Our mission statement is for the Salem Social Village to be A place where Global Citizens grow through learning and serving together - a place where people can come to receive education, get involved in action to help the poor, and find genuine community. Or, put another way, we want to help those who need it most whilst seeing a new generation emerge who will shape Central Asias future and form part of the solution for the underprivileged across the region.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Pescar-Argentina
+ Fundacion Pescar Argentina
+ Promover el desarrollo de comunidades y jovenes en desventaja el intercambio de conocimiento a traves del uso de las tecnologias de la informacion y comunicacion (TICs) habilidades para la vida y tecnico profesionales para su insercion laboral.
+
+
+
+ https://staging.giveth.io/project/Kids-Food-Basket
+ Kids Food Basket
+ Kids’ Food Basket nourishes children to reach their full potential.
+
+
+
+ https://staging.giveth.io/project/Hungarian-Helsinki-Committee-Magyar-Helsinki-Bizottsag
+ Hungarian Helsinki Committee Magyar Helsinki Bizottsag
+ The Hungarian Helsinki Committee (HHC) is a leading human rights watchdog based in Budapest, Hungary, founded in 1989. We believe in a fair and just world, where equality is not a theory for a few, but a lived experience for all. In our theory of change we focus our efforts to defend (1) the right to asylum and international protection; (2) democratic values, the rule of law and a strong civil society; and (3) the rights of detainees and the fairness of the criminal justice system. We reach our achievements through combining a range of different tools and activities from free legal assistance and representation, through advocacy and communication, to research, empowerment and training activities. Most issues we work on are not addressed by any similar organisation in Hungary. Our high-quality work has been recognised by several prestigious human rights awards since 2017, including being a shortlisted nominee for the Council of Europe Parliamentary Assembly Vaclav Havel Prize in 2018 and the Nobel Peace Prize in 2021.
+
+
+
+ https://staging.giveth.io/project/SENAI-CIMATEC
+ SENAI CIMATEC
+ We are reference in Technology, Innovation and Education. We act as an institution that promotes industry locally and nationally, offering infrastructure, highly qualified human resources, an entrepreneurial culture and an integration of competencies. We work alongside a network of partners, clients and suppliers that include institutions from all over the world.
+
+
+
+ https://staging.giveth.io/project/Rural-Health-Mission-Nigeria
+ Rural Health Mission Nigeria
+ We focus on eliminating the barriers preventing access to quality healthcare in under-served and hard-to-reach communities.
+
+
+
+ https://staging.giveth.io/project/Wedontwaste-Inc
+ Wedontwaste Inc
+ We Dont Waste supports the community and the environment by reclaiming and redistributing quality food to those in need.
+
+
+
+ https://staging.giveth.io/project/Sprout-Care-Foundation
+ Sprout Care Foundation
+ To enhance holistic developmental transformation of the child, family and community through capacity building, education and economic support.
+
+
+
+ https://staging.giveth.io/project/Cruz-Roja-Mexicana-IAP-Nuevo-Leon
+ Cruz Roja Mexicana IAP - Nuevo León
+ We are a humanitarian institution, dedicated to prevent and alleviate human suffering in order to improve the living conditions of the people and communities, promoting a self-protecting culture through voluntary action.
+
+
+
+ https://staging.giveth.io/project/Lifting-Hands-International
+ Lifting Hands International
+ We provide aid to refugees, both at home and abroad. No politics. Simply humanitarian.
+
+
+
+ https://staging.giveth.io/project/USA-Basketball
+ USA Basketball
+ The safe sport initiative raises awareness about misconduct in sport, promotes open dialogue and provides training and resources to all participants of the game. By creating a healthy and supportive environment with a focus on safety, safe sport keeps athletes and coaches in the game.
+
+
+
+ https://staging.giveth.io/project/Life-with-Challenges
+ Life with Challenges
+ Our mission is developing solutions and politics through implementation of activities for improving quality of life of patients and families with rare diseases. The goal of Life With Challenges is to help and support patients and families that face life with rare diseases.
+
+
+
+ https://staging.giveth.io/project/One-Forty
+ One-Forty
+ One-Forty is a non-profit startup committed to SEA migrant worker issue. We are devoted to empower them with required skills and trainings, so they can regain self-awareness and self-confident with clear visions and better lives. In the process, we also aspire to improve structural economic issues. One-Forty also curates various cultural events and engaging activities, to facilitate contacts, connections and empathy between locals and SEA migrant workers. Our mission is "Make every migrant journey worth and inspiring". We also believe every person deserves to dream, and every story deserves listeners.
+
+
+
+ https://staging.giveth.io/project/CHAMOS-IN-AID-OF-THE-CHILDREN-OF-VENEZUELA
+ CHAMOS - IN AID OF THE CHILDREN OF VENEZUELA
+ Our mission is to improve the wellbeing of children in Venezuela by supporting our local partners to enhance childrens educational opportunities and health outcomes.
+
+
+
+ https://staging.giveth.io/project/Good-Sports
+ Good Sports
+ Good Sports drives equitable access in youth sports and physical activity, by supporting children in high-need communities to achieve their greatest potential, on the field and in life.
+
+
+
+ https://staging.giveth.io/project/Stichting-Steun-Emma-Kinderziekenhuis
+ Stichting Steun Emma Kinderziekenhuis
+ The Emma Childrens hospital has as mission to maximise the lives of children, the Support Emma Childrens hospital foundation (Steun Emma) does it utmost to support the hospital in realising this mission, through raising funds for:<br>- scientific research<br>- increasing the well-being of the patients and their families<br>- providing information and education.
+
+
+
+ https://staging.giveth.io/project/Declaration-Houston-Inc
+ Declaration Houston Inc
+ We exist to help people encounter and follow Jesus.
+
+
+
+ https://staging.giveth.io/project/Evangel-Church
+ Evangel Church
+ Love God. Love One Another. Serve the World.
+
+
+
+ https://staging.giveth.io/project/Fresh-Life-Church
+ Fresh Life Church
+ Our Vision is to see those stranded in sin find life and liberty in Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/SPARKThe-Umkhumbane-Schools-Project
+ SPARKThe Umkhumbane Schools Project
+ The Umkhumbane Schools Project seeks to develop a new kind of non-profit corporate entity that can make a transformative difference in advancing education equity. Through the strength of this model, we implement programs that empower learners, strengthen schools, and open doors to higher education. <br>Drawing on the experience and insight gained through our work, we seek to provide thought leadership within the interconnected fields of education, sustainability, and social transformation.
+
+
+
+ https://staging.giveth.io/project/The-Advocates
+ The Advocates
+ The Advocates envisions a compassionate community, free from emotional and physical abuse. We accomplish this through education, shelter and support services. Get help or get involved – together, we are saving lives and changing futures.
+
+
+
+ https://staging.giveth.io/project/Concern-Organization-for-Women-Children
+ Concern Organization for Women Children
+ Concern Organization for women and children (CWC) is an independent non- profit organization working to support women and children through empowering them economically and giving them a better chance to health , nutrition and education services <br>Concern aims to develop and uphold standards and create an environment in which every woman and child can exercise their human rights and live up to their full potential. It aims to raise the women level and development expertise to enable them to fully and effectively participate in the cultural, economic and social life in order to achieve progress.<br>Concern is guided by the Convention on the Rights of the Child and strives to establish childrens rights as enduring ethical principles and international standards of behaviour towards children and insists that the survival, protection and development of children are universal <br> development imperatives that are integral to human progress.<br><br>Concern works on development and organization of the women energies and coordinate their efforts within the organized collective action in order to remove social and legal barriers that prevent their development and prevent them from full and effective participation in the community building through supporting institutional capacity for women and train them on modern skills and work to encourage women to use the technology and get along with continuous variables to achieve women economic empowerment through the following:<br>1- Economic empowerment and facilitating access to soft loans<br>2- Encourage productive familys projects in coordination with donors<br>3- Contribute to the reduction of illiteracy<br>4- Achieving gender equality<br>5- protect women and children from violence through psychosocial support programs for marginalized groups in Yemen.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Sonar-Despierto
+ Fundacion Sonar Despierto
+ To support kids living in foster care institutions in Spain from childhood to independence, through engaged volunteers, educational, leisurely and motivational programmes, to give them back their right to dream
+
+
+
+ https://staging.giveth.io/project/Spanish-Heart-Foundation
+ Spanish Heart Foundation
+ Promoting education, prevention and research in cardiovascular health in civil society, as well as promoting and disseminating heart-healthy lifestyle habits in the Spanish population.
+
+
+
+ https://staging.giveth.io/project/Lucky-Duck-Foundation
+ Lucky Duck Foundation
+ To alleviate the suffering of homelessness throughout San Diego County.
+
+
+
+ https://staging.giveth.io/project/Zambia-Open-Community-Schools-(ZOCS)
+ Zambia Open Community Schools (ZOCS)
+ Zambia Open Community Schools (ZOCS) was founded on the principle that every child has the right to education. We enable some of Zambias most needy children - Orphans and Vulnerable Children (OVC), especially girls - to access quality education by supporting community schools and the surrounding community. Through this, we want to enable the children to acquire the knowledge and skills they need to develop to their full potential, hence giving them hope for the future.
+
+
+
+ https://staging.giveth.io/project/One-Billion-Literates-Foundation
+ One Billion Literates Foundation
+ The mission of OBLF is to bring basic English comprehension and Computer skills to children attending the mass schooling system in India, to provide them an equal opportunity to gain meaningful employment on reaching adulthood. <br><br>The foundation works as a partner to the state government and adopts state run/public elementary schools in India. In a country with a billion plus population about 70% of 200 million children who are in elementary schools attend public schools. Reports have told us year on year about the massive learning deficit in the public schooling system. Some of the issues this system is plagued with are poor content, teacher absenteeism, learning by rote and very poor teacher ratios.<br><br>The foundation uses the existing infrastructure of public schools mainly in remote rural areas. The children in the adopted schools are divided into levels/groups based on their English skills (and not according to age). The foundation has designed its own child friendly syllabi for each level and uses laptops and tablets (technologies these children have never been exposed to) and other fun filled teaching techniques to teach. <br><br>The foundations strategy is to train and employ semi-educated rural women on a part time basis (this doesnt disturb the rural ethos) to teach in the adopted schools. These women whom we call coordinators are mainly homemakers and live in the rural communities where the adopted schools are. <br> <br>Every adopted school has several children divided into three levels (Junior, Middle and Senior), a few coordinators to do the teaching and urban volunteers who take ownership of the school and mentor the coordinators and supervise the work being done in the school.<br><br>Children undergo baseline assessments at the beginning of the school year and then another assessment at the end of an academic year. We also assess a small number of children who attend the schools but are not in the foundations School Adoption Program. Children who are in the program have consistently performed way better than the ones in the control group.
+
+
+
+ https://staging.giveth.io/project/Free-Arts-for-Abused-Children-of-New-York-City-Inc
+ Free Arts for Abused Children of New York City, Inc
+ Free Arts NYC empowers youth from underserved communities through art and mentoring programs to develop their creativity, confidence, and skills to succeed.
+
+
+
+ https://staging.giveth.io/project/REMAR-OCCIDENTE-AC
+ REMAR OCCIDENTE AC
+ REMAR tiene como mision mejorar las condiciones de vida de los ninos y ninas, las familias y comunidades en situaciones vulnerables o de pobreza, a traves de proyectos auto sostenibles de desarrollo integral y actividades de sensibilizacion, con la finalidad ultima de propiciar cambios estructurales que contribuyan a la erradicacion de la pobreza , la ignorancia, los prejuicios, la insolidaridad la indiferencia y la crisis de valores humanos y cristianos.
+
+
+
+ https://staging.giveth.io/project/The-Headstart-Trust
+ The Headstart Trust
+ The HeadStart Trust has been working in poor and marginalised communities of the Cape for over 10 years. In the last 5 years, activities centered around Napier in the Overberg, where the Jack family farm is located. Working at Protea Primary in Napier, we started with an organic vegetable garden development, warm beanies for the young learners in winter, donations of extra furniture and annual stationery and art equipment. We also arranged outreach programmes from privileged schools in Cape Town to do community service in Napier.<br><br>In 2018 The HeadStart Trust introduced a Music Education Programme. The results reflected international experience and research, and were astounding. Music pupils showed an average annual attendance rate increase from around 75% to 98%. Their general behaviour and academic results in other subjects also improved markedly. In 2020 we hired more staff and acquired more instruments and were able to increase those receiving music tuition from 36 to 130 pupils.<br><br>As a result of the Covid-19 pandemic, the Trustees of The HeadStart Trust have agreed to shift the short-term focus of the Trust to Food Relief.<br><br>There is a history of rural villages in the Cape Agulhas region being ostracised and disregarded, and when financial support isnt sucked completely away, these communities are often last in line. This underlines the massive challenge we face here: for a start, children dont have access to the usual daily school meals (only twice a week) and, in the past, local government bureaucracy has hampered efficient feeding schemes. The community is consequently wary of empty promises.<br><br>A majority of the community is not earning any income during the lockdown period and finding it very difficult to access the government relief grants promised by Pretoria due to consistently changing criteria and resulting confusion. Foreign nationals, who out of desperation sought refuge in these rural towns and send large portions of their piecemeal income to family members in other African states, are either unable or too terrified to register for any type of relief. The need for assistance is thus overwhelming.<br><br>We have begun our efforts by vastly expanding the Napier Primary organic vegetable garden and donating the required seed and tools for the village to contribute directly in their own medium-term food security.<br><br>But we require short-term, encompassing solutions as well. With the full support of Executive Mayor of the Cape Agulhas Municipality, Mr Paul Swart, and Napiers Ward Councillor, Mrs Evelyn Sauls, The HeadStart Trust will play a crucial coordinating role in helping to alleviate the growing social disaster catalysed by this pandemic and the lockdown. <br><br>We have begun lobbying civil society organisations, government funds and individuals to donate financially to a structured and inclusive Rural Food Relief Platform for Napier and surrounding areas. Furthermore, we will use our personnel and farm vehicles to collect and distribute donated food (under strict lockdown safety measures) to those most in crisis.<br><br>We will utilise the food storage and refrigeration facilities that have been established at the Thusong Centre and Packtown Food in Bredasdorp. Mr Swart has acknowledged that food collection and distribution is a new challenge for his administration and the municipality desperately needs cooperative partners to overcome the challenge we collectively face as a community.<br><br>The HeadStart Trust is also liaising directly with various community representatives and farmers. Communication is also continuous with religious leaders and on community social media platforms.<br><br>As agreed with elected representatives, we will channel food donation through the Napier Community Police Forum (CPF) and local farmer organisations. Local food donations can already be made at the Napier OK Minimark, but our intention is to expand this systematically and emphatically.<br><br>We need your help to support these communities that are a foundation for our own food security, but find themselves abandoned in this lockdown period.
+
+
+
+ https://staging.giveth.io/project/Faithful-Friends-Animal-Society
+ Faithful Friends Animal Society
+ Faithful Friends Animal Societys mission is to end the neglect, abandonment and killing of pets in Delaware and enrich the lives of people by promoting and providing compassionate animal-related welfare and social services.
+
+
+
+ https://staging.giveth.io/project/Providence-Portland-Medical-Foundation
+ Providence Portland Medical Foundation
+ As expressions of Gods healing love, witnessed through the ministry of Jesus, we are steadfast in serving all, especially those who are poor and vulnerable.
+
+
+
+ https://staging.giveth.io/project/AR-Sofia-Foundation
+ AR Sofia Foundation
+ To work for the wellbeing of stray and owned animals in Bulgaria, as well as for ensuring better chances for life for animals and encouraging tolerance, responsible and ethical behavior of citizens, medical personnel and public bodies in the care that they provide to animals, in compliance with the commonly accepted norms and standards, endorsed by the European Union, the World Health Organization and the relevant national and international laws;<br><br>To work for strengthening the role of civil society, placing an emphasis on young people and active citizens, in the process of finding solutions to socially relevant challenges concerning the quality of life in urban and rural environment not only for the people, but also for the animals, as well as to encourage civil participation in the process of making decisions and applying successful models for sustainable local self-government;<br><br>To work for finding solutions to problems arising from the high number of stray animals in urban conglomerations and regional centers, by striving to emphasize the benefits in terms of sustainable city planning and development, preserving bio diversity, public health, attractive and low-risk city environment, as well as in other sectors from the socio-economic life, on which the issue of stray animals has direct influence.
+
+
+
+ https://staging.giveth.io/project/Help-Animals-India
+ Help Animals India
+ Providing Rescue, Care, & Sanctuary for Indias Animals
+
+
+
+ https://staging.giveth.io/project/Golden-State-Ballet-Foundation
+ Golden State Ballet Foundation
+ Golden State Ballet is committed to enhancing Southern California’s arts scene by instilling a love and appreciation for dance through artistic excellence, invigorating performances, innovative choreography, and engaging educational programs. We value giving respect to our diverse community, holding ourselves accountable to conducting business ethically, and creating a workplace that attracts and retains talented and creative artists and staff.
+
+
+
+ https://staging.giveth.io/project/Sleep-in-Heavenly-Peace-Inc
+ Sleep in Heavenly Peace, Inc
+ No Kid Sleeps on the Floor in Our Town.
+
+
+
+ https://staging.giveth.io/project/YWCA-Tri-County-Area
+ YWCA Tri-County Area
+ YWCA Tri-County Area is dedicated to eliminating racism, empowering women, and promoting peace, justice, freedom, and dignity for all.
+
+
+
+ https://staging.giveth.io/project/Potential-Church
+ Potential Church
+ To partner with people to reach their God potential, in order to impact our world for good.
+
+
+
+ https://staging.giveth.io/project/American-Hiking-Society
+ American Hiking Society
+ Empowering all to enjoy, share, and preserve the hiking experience. American Hiking Society is supported by corporations, foundations, and individual donors.
+
+
+
+ https://staging.giveth.io/project/Cruz-Roja-Nicaraguense
+ Cruz Roja Nicaraguense
+ Nicaraguan Red Cross, is a humanitarian institution, non-profit, auxiliary to the public powers and voluntary, member of the international movement of the Red Cross and Red Crescent, its mission is:<br><br>"Contribute to protecting and improving the quality of life, health, human dignity and reducing the vulnerability of people, without distinction of race, religion, nationality, sex, social condition or political affiliation. It also strives in the search and promotion of peace and strict respect for the rights of the people ".
+
+
+
+ https://staging.giveth.io/project/Ythan-Valley-Rotary
+ Ythan Valley Rotary
+ Although Ythan Valley Rotary is a new club, it is very active in the local community. Working IN and FOR our communities.
+
+
+
+ https://staging.giveth.io/project/Rural-Literacy-Solutions
+ Rural Literacy Solutions
+ The mission of Rural Literacy Solutions is to aid rural development in Ghana through education by helping rural students to develop literacy skills in reading, writing and numeracy.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Conect-Vision
+ Fundacion Conect Vision
+ Trabajamos con amor para impulsar a ninos, ninas, adolescentes y jovenes (NNAJ) en situacion de vulnerabilidad a traves de la educacion en valores morales, refuerzo academico y deportes y a hombres y mujeres excombatientes y campesinos victimas del conflicto armado, a traves del deporte y brindandoles herramientas para que logren construir exitosamente su proyecto de vida.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-Detroit
+ Ronald McDonald House Charities Detroit
+ The mission of Ronald McDonald House Charities Detroit is to provide an environment of love and kindness to families of children experiencing a serious illness or injury which requires hospitalization or treatment. We strive to provide a “home away from home” to assist in alleviating families’ emotional and financial stresses.
+
+
+
+ https://staging.giveth.io/project/Columbus-Dream-Center
+ Columbus Dream Center
+ The Columbus Dream Center is a volunteer driven organization dedicated to providing HOPE to underserved individuals and families as well as those experiencing Homelessness in Columbus and Central Ohio.
+
+
+
+ https://staging.giveth.io/project/Bethel-Foundation-Limited
+ Bethel Foundation Limited
+ 1. Bethel supports the projects started by its founders, Guillaume and Delphine Gauvain: Bethel China (in China), SPACE (in the Philippines) and Project Butterfly (Worldwide). <br><br>2. Bethel also empowers projects which have been identified as solid projects. The empowerment comes in the form of financial support and/or coaching to its leaders.
+
+
+
+ https://staging.giveth.io/project/Freedom-Community-Center
+ Freedom Community Center
+ The Freedom Community Center’s mission is to build a movement of survivors that will meaningfully address violence in St. Louis City and collectively design alternatives to state systems of punishment. Our community will fight to end mass incarceration and advocate for transformative justice approaches to reducing harm.
+
+
+
+ https://staging.giveth.io/project/The-Cure-Starts-Now
+ The Cure Starts Now
+ The Cure Starts Now represents a grassroots effort dedicated to curing pediatric brain cancer. We believe as the experts do that in order to truly cure cancer you have to focus on: cancers that are immune to treatment, cancers that also affect children, and cancers that have the highest death rate.
+
+
+
+ https://staging.giveth.io/project/Unbound-Now
+ Unbound Now
+ Unbound Now supports survivors and resources communities to fight human trafficking.
+
+
+
+ https://staging.giveth.io/project/Fondo-Accion-Solidaria-AC
+ Fondo Accion Solidaria, AC
+ Create the conditions to help strengthen the urban and rural communities to help them manage their socio-environmental heritage in a sustainable and inclusive oriented manner.
+
+
+
+ https://staging.giveth.io/project/Scoil-Ide
+ Scoil Ide
+ Section 9 of the Education Act, 1998<br>9.A recognised school shall provide education to students which is appropriate to their abilities and needs and, without prejudice to the generality of the foregoing, it shall use its available resources to<br>(a) ensure that the educational needs of all students, including those with a disability or other special educational needs, are identified and provided for,<br>(b) ensure that the education provided by it meets the requirements of education policy as determined from time to time by the Minister including requirements as to the provision of a curriculum as prescribed by the Minister in accordance with section 30 ,<br>(c) ensure that students have access to appropriate guidance to assist them in their educational and career choices,<br>(d) promote the moral, spiritual, social and personal development of students and provide health education for them, in consultation with their parents, having regard to the characteristic spirit of the school,<br>(e) promote equality of opportunity for both male and female students and staff of the school,<br>(f) promote the development of the Irish language and traditions, Irish literature, the arts and other cultural matters,<br>(g) ensure that parents of a students, or in the case of a student who has reached the age of 18 years, the student, have access in the prescribed manner to records kept by that school relating to the progress of that student in his or her education,<br>(h) in the case of schools located in a Gaeltacht area, contribute to the maintenance of Irish as the primary community language,<br>(i) conduct its activities in compliance with any regulations made from time to time by the Minister under section 33 ,<br>(j) ensure that the needs of personnel involved in management functions and staff development needs generally in the school are identified and provided for,<br>(k) establish and maintain systems whereby the efficiency and effectiveness of its operations can be assessed, including the quality and effectiveness of teaching in the school and the attainment levels and academic standards of students,<br>(l) establish or maintain contacts with other schools and at other appropriate levels throughout the community served by the school, and<br>(m) subject to this Act and in particular section 15 (2) (d), establish and maintain an admissions policy which provides for maximum accessibility to the school.
+
+
+
+ https://staging.giveth.io/project/Grace-Church
+ Grace Church
+ Helping everyone become an outward-focused follower of Jesus
+
+
+
+ https://staging.giveth.io/project/Kore-Cooperativa-Sociale-ONLUS
+ Kore Cooperativa Sociale ONLUS
+ The Social Cooperative "KORE" onlus was founded in 2006 by the will of a group of citizens of various cultural and professional backgrounds who are sensitive to social issues, they organized themselves autonomously and voluntarily<br>to offer the territory useful services to face and prevent some of the causes more widespread than youth, family and social problems.<br>A reality of the non-profit private social that, in the context of services to the person, works to encourage the development of the community through the planning and management of social promotion paths and educational-cultural interventions. To date, the Cooperative is a consolidated reality in the area that collaborates on a stable basis with numerous public and private entities. It can count on a group of extremely qualified and motivated collaborators (psychologists, psycho-pedagogists, trainers, social workers, educators and community leaders), a professional network which - through team work - integrates aspects, methodologies and strategies designed to foster interpersonal relationships.<br>In particular, the Cooperative has set itself from the outset as a priority mission that of training and education of the younger generations, proposing a close school-family-territory alliance, in view of the prevention of phenomena such as bullying and violence and the elimination of the stereotypes of gender in recognition of equal opportunities.
+
+
+
+ https://staging.giveth.io/project/Nnadozie-Integrated-Development-Foundation
+ Nnadozie Integrated Development Foundation
+ OUR MISSION IS TO EMPOWER INDIVIDUALS THROUGH POVERTY ALLEVIATION, ACCESS TO QUALITY EDUCATION AND PROMOTION OF HUMAN RIGHTS ESPECIALLY FOR WOMEN AND GIRLS.
+
+
+
+ https://staging.giveth.io/project/Al-Fidaa-Foundation
+ Al-Fidaa Foundation
+ To assist the needy impoverished individuals in areas of the Eastern Cape, South Africa irrespective of creed, race or culture.
+
+
+
+ https://staging.giveth.io/project/Karachi-United-Football-Foundation-(Trust)
+ Karachi United Football Foundation (Trust)
+ By leveraging the power of football, Karachi United strives to enhance the lives of children and communities by providing them with access to play, sports culture, and excellence, and simultaneously raise the bar of Pakistans nascent football industry.
+
+
+
+ https://staging.giveth.io/project/Jackson-Interfaith-Shelter
+ Jackson Interfaith Shelter
+ Seeking to put Gods love into action, Jackson Interfaith Shelter provides temporary shelter and other essential resources to people experiencing homelessness or poverty. Every decision we make is made through the lens of our core values: love, dignity, hope, partnership, stewardship and excellence.
+
+
+
+ https://staging.giveth.io/project/Zero-Foodprint
+ Zero Foodprint
+ Zero Foodprint is changing the way food is grown to restore the climate. We fund carbon farming projects through our Restore grant program.
+
+
+
+ https://staging.giveth.io/project/Trybe-Limited
+ Trybe Limited
+ Lifes journey is never singular, and sometimes we need a helping hand along the way. <br><br>At Trybe, we are committed to being that helping hand and helping youth through adversities in their life one step at a time. We believe everyone deserves equal opportunities to their peers and with a little support and mentorship, can succeed in their own way. <br><br>We believe in cultivating the growth and spirit of youth through the collective collaboration of our passionate team and aspire to transform their lives into one with meaning, where they can unleash their full potential and drive purpose in their communities. <br><br>Our ambition is to inspire the young people we work with, to be role models for them to reach out to, and challenge them to be the best they can be. <br><br>At Trybe, success isnt just about impacting positive change in the youth we work with today but how they can in turn inspire, support, and help people in the communities around them tomorrow.
+
+
+
+ https://staging.giveth.io/project/High-Desert-Museum
+ High Desert Museum
+ The High Desert Museum in Bend, Oregon is the only institution in the nation dedicated to the exploration of the High Desert region. Through art, cultures, history, wildlife and science, it tells the stories of the 11-state Intermountain West.
+
+
+
+ https://staging.giveth.io/project/Fondo-Semillas
+ Fondo Semillas
+ Fondo Semillas is a feminist fund that mobilizes resources and accompanies womens organizations and groups to achieve gender equality in Mexico.
+
+
+
+ https://staging.giveth.io/project/IXIM-AC
+ IXIM, AC
+ Support indigenous communities of Chiapas in their self-development, focused on alimentary issues.
+
+
+
+ https://staging.giveth.io/project/Santa-for-a-Day-Incorporated
+ Santa for a Day, Incorporated
+ The mission of Santa for a Day is to show the power of kindness in the face of adversity. Teach youngsters the power of the pen…and then reward their efforts, by translating their wishes into reality, helping them author a different, more positive narrative about life, one sparked by optimism and the vision of a brighter future.
+
+
+
+ https://staging.giveth.io/project/La-Serenissima
+ La Serenissima
+ La Serenissima is a British-based orchestra offering vibrant performances of Italian baroque music using instruments of the time. We particularly champion the music of 18th century Venice, carrying out original research and hands-on editing work which is used to create musical performances (live and recorded). We talk about our discoveries in plain English (through discussion and the media) and we work in partnership with institutions, venues and hubs to produce outreach experiences for a wide range of beneficiaries wherever possible. Our recordings are available to everyone via free streaming sites and regular radio-play; we tour our concerts throughout the UK and abroad.
+
+
+
+ https://staging.giveth.io/project/Nomadic-Assistance-for-Peace-and-Development
+ Nomadic Assistance for Peace and Development
+ To promote sustainable peace and human development amongst vulnerable communities in the Horn of Africa through the advancement of social justice, economic resilience, and climate change adaptation.
+
+
+
+ https://staging.giveth.io/project/The-African-Impact-Foundation
+ The African Impact Foundation
+ We have seen the challenges many young people face growing up in Zambia, especially in rural areas. The continuous cycle of poverty prevails. We aim to break the generational cycle of poverty by providing pathways out of poverty for young people who want a different future. They are willing to work hard, grasp opportunities and try different options. We want to support their journey and drive through our youth development programmes.
+
+
+
+ https://staging.giveth.io/project/Meals-on-Wheels-WSD
+ Meals on Wheels WSD
+ To fight senior hunger and isolation in western South Dakota and beyond.
+
+
+
+ https://staging.giveth.io/project/Faith-Baptist-Church
+ Faith Baptist Church
+ WE ARE FOR building healthy families.
+
+
+
+ https://staging.giveth.io/project/Smile-for-Africa-foundation
+ Smile for Africa foundation
+ To support vulnerable children (orphans, abandoned, etc.) in Africa with improving their living conditions and helping with water, food, madical, educational supplies, etc. We want to be the reason for the faith, hope and smiles on many children`s faces.
+
+
+
+ https://staging.giveth.io/project/The-E3-Ranch-Foundation-Inc
+ The E3 Ranch Foundation, Inc
+ To help those in need.
+
+
+
+ https://staging.giveth.io/project/Ascend-Athletics
+ Ascend Athletics
+ Ascend develops young womens self-confidence and skills through community service and the sport of mountain climbing in order to promote youth leadership and civic-mindedness in post-conflict countries.
+
+
+
+ https://staging.giveth.io/project/Tribes-and-Natures-Defenders-Inc
+ Tribes and Natures Defenders Inc
+ Empower the children, women and men of the Indigenous Peoples Communities of Philippines and other countries where the needs are found through the start -up capital to tribal farmers, tribal women, youth and support for tribal education, health, environmental protection and sustainable community development that changes lives ; rehabilitate and protect the environment; promote their rights to self determination, intercultural appreciation and respect; ensure the self governance, and ownership of the Indigenous peoples Ancestral Domain lands; respect their culture and tradition; ensure equal treatment of the community and participation on the involvement of men and women in implementing sustainable integrated area development and ensure equal access to and control of its corresponding resources and activities.
+
+
+
+ https://staging.giveth.io/project/YWCA-of-Rochester-and-Monroe-County
+ YWCA of Rochester and Monroe County
+ The YWCA is dedicated to eliminating racism, empowering women and promoting peace, justice, freedom and dignity for all.
+
+
+
+ https://staging.giveth.io/project/Asia-Harvest-Inc
+ Asia Harvest, Inc
+ Asia Harvest has worked in over 20 counties of Asia for the last three decades, helping the downtrodden and bringing light and relief to struggling communities.
+
+
+
+ https://staging.giveth.io/project/Lambano-Sanctuary
+ Lambano Sanctuary
+ To accept into our care children with life limiting and life threatening illness, to provide these children with a caring and loving environment whereby they will be nurtured and cared for:<br> Physically<br> Emotionally<br> Spiritually<br> Unconditional love
+
+
+
+ https://staging.giveth.io/project/Sibol-ng-Agham-at-Teknolohiya-(SIBAT)-Inc
+ Sibol ng Agham at Teknolohiya (SIBAT), Inc
+ Since our establishment in 1984, SIBAT envisions a just and sovereign society that upholds genuine development through people-based science & technology. <br><br>SIBAT commits to develop, promote and popularize the application of appropriate technologies towards attaining village-level sustainable development in poor communities.<br> <br>As such, SIBAT have gained significant breakthroughs in sustainable agriculture, renewable energy, genetic conservation and water systems development.<br><br>By the end of 2022, SIBATs goals are:<br>1. Self-reliant and resilient communities that have adopted appropriate technologies and can adapt to the effects of climate change.<br>2. Institutionalized structures and mechanisms that support the appropriate technology (AT) efforts of SIBAT and partner poor communities.<br><br>CORE VALUES AND GUIDING PRINCIPLES:<br><br>Uphold social justice and national sovereignty. SIBAT helps enhance the poor peoples opportunities to enjoy, and capabilities to assert and demand for, their basic rights. SIBAT unites with the peoples effort to chart their own course towards national sovereignty and economic independence.<br><br>Equity and bias for the poorest and disadvantaged. SIBAT assures everyone in the community equal opportunities from and access to appropriate technology, resources and benefits with particular attention given to the poor farmers, women and indigenous peoples.<br><br>Peoples participation and ownership in development. SIBAT upholds the peoples right to determine, participate in, and have control over their own appropriate technology development.<br><br>Holistic. SIBAT addresses community problems, through appropriate technology interventions, that are determined from a comprehensive and integrated perspective.<br><br>Technological innovation and competence. SIBAT enhances the practice of innovation, development of knowledge and mastery of skills. SIBAT upholds quality standards in the application of science and technology for the people.<br><br>Care for health and environment. SIBAT works for the conservation and management of the environment and gives due attention to the promotion of good health and well-being of the people.<br><br>Gender consciousness. SIBAT integrates and promotes gender equality in its programs and projects, and in each individuals work, actions and language.
+
+
+
+ https://staging.giveth.io/project/De-La-Salle-University
+ De La Salle University
+ The Universitys Center for Social Concern and Action (COSCA) is its social development arm responsible for promoting the Lasallian Social Development principles in the Community. <br><br>COSCA, via its programs, engages the Lasallian community to actualize faith in action through service and solidarity with the poor. COSCA aims to develop awareness in the Community of the problems and issues that abound in the country. It encourages members of the University to examine their social responsibilities in the light of the Christian faith. <br><br>To complement the limited financial resources of the University, COSCA raises funds for the programs it supports, most of which are aimed at those belonging to marginalized sectors of society.
+
+
+
+ https://staging.giveth.io/project/OurLoop-Stichting
+ OurLoop Stichting
+ A world where everyone, including those who are marginalised, vulnerable and under-served, can share their opinion and experience in a safe, open and transparent way, to affect positive social change at the individual, community and global level.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Tunas-Aksara
+ Yayasan Tunas Aksara
+ We work for a future where all of Indonesias children have the chance to learn to read, and to love reading.<br><br>We do this by equipping pre-school and early-primary teachers to teach literacy effectively, so that the children they teach learn to read with fluency, understanding and enjoyment.<br><br>We provide our partners with three things:<br><br> A field-tested Indonesian-language literacy curriculum that is effective, engaging, and easy to use;<br> High quality, culturally relevant reading books and learning materials designed to support children as they learn to read;<br> Teacher training and mentoring that produces effective teachers of literacy who are able to share a love of reading and learning, and to care for the children they teach.
+
+
+
+ https://staging.giveth.io/project/Rotary-Club-of-Billericay
+ Rotary Club of Billericay
+ Rotary International and, within it, the Rotary Club of Billericay has the ethos of Service above Self, and seeks to serve others, both in its local community and worldwide, by undertaking or funding projects which materially improve their well-being.
+
+
+
+ https://staging.giveth.io/project/SMILE-ING-BOYS-CIC
+ SMILE-ING BOYS CIC
+ The S.M.I.L.E-ing Boys CIC aims to address the mental health needs of black boys while challenging the negative portrayal of this demographic in the media through creative arts workshops using photography, poetry, film and discussions in a co-creative collaborative process within schools in deprived boroughs of London.
+
+
+
+ https://staging.giveth.io/project/Charmaghz-Cultural-Services-Organization
+ Charmaghz Cultural Services Organization
+ We are Charmaghz! A Kabul-based registered non-profit organization. Charmaghz is dedicated to promoting critical thinking among Afghan children.<br><br>We are a group of young Afghans who have witnessed war and its direct impact on our childhood firsthand. Our childhood, like millions of other Afghan children, was lost before we could live it. The pain brings us together in order to make a difference in other childrens lives. We believe that creating a supportive and enabling environment such as Charmaghz where children can wonder, read, ask questions, be themselves and can have fun, will help our children grow to positive and open-minded individuals. will lead to innovation and development of the country as a whole. It will also contribute to creating a just and equal society.
+
+
+
+ https://staging.giveth.io/project/Hope-SA-foundation
+ Hope SA foundation
+ HOPE SA feeding HOPE to all people in South Africa and beyond. We strive to provide at least the basic human needs for mankind. Together with, Each One Help One, we can create positive impact in communities. Our core Mission is to align to the Act Now Campaign and align to the 17 UN Sustainable Development Goals(UNSDGs). It is good to be blessed, and better to be a Blessing.
+
+
+
+ https://staging.giveth.io/project/Start-Early
+ Start Early
+ Start Early advances quality early learning for families with children, before birth through their earliest years, to help close the opportunity gap.
+
+
+
+ https://staging.giveth.io/project/Hand-to-Hand-Foundation
+ Hand to Hand Foundation
+ The reality for many underprivileged people in Pattaya, is a life that is entrapped by poverty and abuse. Their lives are marked by a lack of adequate care, food, shelter and an uncertainty about the future. Many of these people earn a meager living as street vendors, garbage collectors, prostitutes or beggars. Drug & alcohol abuse is common in these communities, making them very dangerous places for children to grow up in.<br><br>Those living in the slums are also at constant risk of abuse and exploitation, and a way to break out of this cycle of poverty seems almost impossible. Slum dwellers are often without the benefits of a house registration, which is needed to access healthcare, education and other government support services. In addition, without a birth certificate a child faces an entire lifetime of living as an alien in their own home country.<br><br>Hand to Hand is a Christian organization that is based in Pattaya, who recognise that human rights apply to all age groups. We seek to protect those who are marginalised regardless of their race, age or religion. We achieve this by showing them the love of Jesus Christ through prayer and, on a much more practical level, by providing services such as helping them acquire legal documentation and offering food, clothing and educating the poor.
+
+
+
+ https://staging.giveth.io/project/Woman-PACT-Foundation
+ Woman PACT Foundation
+ WomanPACT helps support and provide women access to opportunities that help improve their overall ability to reach their full human potential.
+
+
+
+ https://staging.giveth.io/project/JA-Asia-Pacific-Limited
+ JA Asia Pacific Limited
+ JA Asia Pacific is a member of JA Worldwide, one of the worlds largest youth-serving NGOs dedicated to preparing young people for employment and entrepreneurship. For 100 years, JA has delivered hands-on, experiential learning in work readiness, financial literacy, and entrepreneurship. We create pathways for employability, job creation, and financial success.<br><br>Home to 60% of the worlds youth, JA Asia Pacific aims to empower young people to benefit from the regions economic development and to create a positive impact in their lives and communities. The 18 members JA Asia Pacific network is powered by over 30,000 volunteers and mentors from all sectors of society, reaching more than 825,000 students around the region. Each year, the global JA network of over 465,000 volunteers serves more than 10 million students in over 100 countries.
+
+
+
+ https://staging.giveth.io/project/Smiths-Wood-Primary-Academy
+ Smiths Wood Primary Academy
+
+
+
+
+ https://staging.giveth.io/project/Decatur-County-Community-Foundation
+ Decatur County Community Foundation
+ Inspiring the generosity of our community to create a lasting impact
+
+
+
+ https://staging.giveth.io/project/Jacksonville-Humane-Society
+ Jacksonville Humane Society
+ The Jacksonville Humane Society provides care, comfort, and compassion to animals in need while engaging the hearts, hands and minds of our community to bring about an end to the killing of abandoned and orphaned shelter animals.
+
+
+
+ https://staging.giveth.io/project/The-League-To-Aid-Abused-Children-and-Adults-Inc
+ The League To Aid Abused Children and Adults Inc
+ To raise funds to support charities that work to prevent the abuse of children and adults.
+
+
+
+ https://staging.giveth.io/project/Sunshine-Social-Welfare-Foundation
+ Sunshine Social Welfare Foundation
+ Sunshine Social Welfare Foundation was established in 1981 by a group of individuals committed to improving the lives of burn survivors and people with facial disfigurement. <br><br>Sunshine Foundation has for mission to provide an extensive range of services for burn survivors and people with facial disfigurement in order to assist them in their physical, psychological and social rehabilitation, as well as uphold their human rights and dignity.
+
+
+
+ https://staging.giveth.io/project/Crisis-Text-Line-Inc
+ Crisis Text Line, Inc
+ Building an empathetic world where nobody feels alone.
+
+
+
+ https://staging.giveth.io/project/Oz-Harvest-Limited
+ Oz Harvest Limited
+ Founded by Ronni Kahn AO in 2004 after noticing the huge volume of food going to waste, OzHarvest quickly grew to become Australias leading food rescue organisation. Food is at our core, saving surplus food from ending up in landfill and delivering it to charities that help feed people in need. We are committed to halving food waste by 2030, inspiring and influencing others to do the same, and transforming lives through education. Our purpose is to Nourish Our Country.
+
+
+
+ https://staging.giveth.io/project/UNO-DE-SIETE-MIGRANDO-AC
+ UNO DE SIETE MIGRANDO AC
+
+
+
+
+ https://staging.giveth.io/project/Fundacion-Leon
+ Fundacion Leon
+ Promote volunteering and social responsability for a fair and equitable world.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Bepensa-A-C
+ Fundacion Bepensa A C
+ Mission statement.
+
+
+
+ https://staging.giveth.io/project/Grundschule-Kreuzwertheim
+ Grundschule Kreuzwertheim
+
+
+
+
+ https://staging.giveth.io/project/The-International-Network-for-Cancer-Treatment-and-Research-(INCTR)
+ The International Network for Cancer Treatment and Research (INCTR)
+ INCTR is dedicated to helping to build capacity for cancer prevention, treatment (including palliative care) and research and to improve access to needed care in order to lessen the suffering and limit the number of lives lost from cancer in developing countries.
+
+
+
+ https://staging.giveth.io/project/Concordia-Welfare-and-Education-Foundation-Thailand
+ Concordia Welfare and Education Foundation - Thailand
+ CWEFTs mission is to empower underprivileged children, women, and families through holistic education and training. This type of educational support for people of all ages and in a wide variety of situations provides the tools and skills necessary for the most destitute and at-risk populations of Thailand to break the cycle of poverty and improve the quality of life for individuals, families, and communities for generations to come.
+
+
+
+ https://staging.giveth.io/project/PS1-Contemporary-Art-Center-Inc
+ PS1 Contemporary Art Center Inc
+ MoMA PS1 is devoted to the production, presentation, interpretation, and dissemination of the work of innovative artists in all mediums, fostering creativity and uninhibited artistic exploration. Its programs reflect the complex nature of international artistic practice, serve a broad and diverse audience, and stimulate discourse on the art of our time. MoMA PS1’s exhibitions, presentations, educational activities, residency programs, and publications investigate the dynamic and provocative nature of art. Its focus includes recognizing the work of emerging artists, placing disparate media into meaningful contemporary contexts, and defining alternative movements and endeavors.
+
+
+
+ https://staging.giveth.io/project/Association-Centre-for-Social-Initiatives-NADEZ
+ Association Centre for Social Initiatives NADEZ
+ C.S.I. NADEZ is an NGO, which works for the social-economic integration of socially marginalized people, with a focus on Roma and youth, through educational support, assistance in exercising social rights and promotion of peaceful coexistence.
+
+
+
+ https://staging.giveth.io/project/African-Technology-Innovation-Hubs-Initiative-AFRILABS
+ African Technology Innovation Hubs Initiative - AFRILABS
+ To support innovation hubs and their communities to raise high potential entrepreneurs that will stimulate economic growth and social development in Africa. We achieve this through capacity building, financing, networking, policy advocacy, and providing insightful, reliable data.
+
+
+
+ https://staging.giveth.io/project/West-Oakland-Cultural-Action-Network
+ West Oakland Cultural Action Network
+ Our mission is to uplift the cultural, economic and social conditions of the Hoover, Clawson and McClymonds neighborhoods.
+
+
+
+ https://staging.giveth.io/project/Signal-Technology-Foundation
+ Signal Technology Foundation
+ To develop open source privacy technology that protects free expression and enables secure global communication. At Signal we’re creating a world class communication platform that keeps users’ data in their hands and out of everyone else’s including our own. We believe private communication can be simple and accessible to every citizen, in every country.
+
+
+
+ https://staging.giveth.io/project/Harvest-New-Beginnings
+ Harvest New Beginnings
+ Harvest exists for Gods glory alone, and we are motivated by a deep love for God and a sincere love for people.
+
+
+
+ https://staging.giveth.io/project/Stichting-Kinderhulp-Afrika
+ Stichting Kinderhulp Afrika
+ It is a christian relief organisation that provides help and support to the most vulnerable children in Uganda.
+
+
+
+ https://staging.giveth.io/project/Share-Child-Opportunity-Eastern-and-Northen-Uganda-(SCOEN)
+ Share Child Opportunity Eastern and Northen Uganda (SCOEN)
+ Share Child Opportunity Eastern and Northern Uganda (SCOEN) is to provide children, girls and young women with opportunities to succeed, thrive as leaders in communities through a holistic education, economic empowerment programs. We envision a gender-equal world where girls thrive and lead.<br><br>SCOEN currently approaches the problem of child marriage utilizing a multi-dimensional approach - addressing education, gender based-violence, social norms, and providing income generation opportunities. Commitment to children, adolescent girls and young women living a life of equality, justice and dignity, and the solutions we develop to support these are sustainable in the long-term.
+
+
+
+ https://staging.giveth.io/project/Animal-Charity-Evaluators
+ Animal Charity Evaluators
+ The mission of Animal Charity Evaluators (ACE) is to find and promote the most effective ways to help animals. Our vision is a world in which no individual is given less than full moral consideration on the basis of any morally irrelevant feature of their identity, including species membership.
+
+
+
+ https://staging.giveth.io/project/Trinity-Church
+ Trinity Church
+ Our Mission is to see the love of Jesus at the center of each life, at the heart of every community, and as the source of all our actions.
+
+
+
+ https://staging.giveth.io/project/Taranaki-District-Health-Board
+ Taranaki District Health Board
+ Our Shared Vision - Te Matakite<br><br>Taranaki Together, a Healthy Community - Taranaki Whanui, He Rohe Oranga<br><br>Our Mission - Te Kaupapa<br><br>Improving, promoting, protecting and caring for the health and wellbeing of the people of Taranaki<br><br>Our Aims<br>To promote healthy lifestyles and self responsibility<br>To have the people and infrastructure to meet changing health needs<br>To have people as healthy as they can be through promotion, prevention, early intervention and rehabilitation<br>To have services that are people centred and accessible where the health sector works as one<br>To have a multi-agency approach to health<br>To improve the health of Maori and groups with poor health status<br>To lead and support the health and disability sector and provide stability throughout change<br>To make the best use of the resources available
+
+
+
+ https://staging.giveth.io/project/Down-Syndrome-Association-(Singapore)
+ Down Syndrome Association (Singapore)
+ Develop individuals with Down syndrome through lifelong learning and social integration. Support families through specialist services, information and education. Advocate for equal opportunities, quality of life and their contribution to society.
+
+
+
+ https://staging.giveth.io/project/Maui-Food-Bank-Inc
+ Maui Food Bank, Inc
+ Maui Food Banks mission is to help the hungry in Maui County by collecting and distributing food through community partnerships.
+
+
+
+ https://staging.giveth.io/project/Houston-Health-Foundation
+ Houston Health Foundation
+ The Houston Health Foundation (HHF) works to address critical public health needs impacting the Houston region’s most underserved families and children. The Foundations banner programs include: See to Succeed, Project Saving Smiles, My Brothers Keeper and Community Nutrition.
+
+
+
+ https://staging.giveth.io/project/Orant-Charities
+ Orant Charities
+ Orant works in the southern African country of Malawi, one of the poorest countries in the world.
+Orant makes a sustainable impact in Malawi through a holistic, local, and data-driven approach to supporting women and communities. We have four main program areas: Healthcare, Water & Sanitation, Education, and Agriculture & Business.
+In 2022, Orant treated 88,622 patients at our local and mobile clinics, sponsored 145 girls high school education, drilled 15 wells and repaired 79 more, and disbursed $4,792 in loans to farmers and small business owners in rural Malawi.
+Orant is a global-local partnership between our core team in Central Malawi and a small international support team that comprises Orant Charities.
+
+
+
+ https://staging.giveth.io/project/Near-East-Foundation
+ Near East Foundation
+ The Near East Foundation works with local partners to advance innovative, sustainable, community-led economic and social development across the Middle East, Africa, and the Caucasus in order to realize more prosperous, inclusive and resilient communities.
+
+
+
+ https://staging.giveth.io/project/Yayasan-Sosial-Indonesia-untuk-Kemanusiaan
+ Yayasan Sosial Indonesia untuk Kemanusiaan
+ Indonesia untuk Kemanusiaan (IKa)s vision:<br>Empowered society in fighting for impartial, dignified and prosperous life for all in the human rights framework and sustainable nature.<br><br>Our missions:<br>- To raise diverse and sustainable resources for social transformation through the development of supportive constituencies and innovative, transparent and responsible ways.<br>- To support community groups in carrying out their vision and mission through the support for meaningful initiatives and effective partnerships.<br>- To build self-reliance and sustainability of the movement towards social transformation by enhancing the capacity of civil society to raise resources intelligently.<br>- To participate in helping human rights defenders to obtain a safe and proper situation, including in emergency situations.
+
+
+
+ https://staging.giveth.io/project/Chimpanzee-Sanctuary-Northwest
+ Chimpanzee Sanctuary Northwest
+ Chimpanzee Sanctuary Northwest provides lifetime quality care for chimpanzees and works to educate the public about the plight of primates worldwide.
+
+
+
+ https://staging.giveth.io/project/QUEER-MEDIA-Educational-and-Awareness-Raising-Organization
+ QUEER MEDIA Educational and Awareness Raising Organization
+ The goal of the Organizations charitable activities is to increase the availability of information on the rights of the most vulnerable and key populations and ways to overcome the negative consequences of discrimination based on HIV stigmatization, xenophobia, sexual orientation and gender identity (hereinafter referred to as the Goal).<br><br>The scope of the Organizations activities is to provide charitable support to people of various social categories within the framework of public interests in accordance with its goals.
+
+
+
+ https://staging.giveth.io/project/Shining-Light-in-Darkness
+ Shining Light in Darkness
+ Shining Light in Darkness (SLID) is the voice of victims and survivors. SLID mission is to provide holistic healing to meet the under-served victims and survivors of sexual assault and domestic violence.
+
+
+
+ https://staging.giveth.io/project/ASILO-DE-LOS-POBRES-DE-SAN-ANTONIO-DE-PADUA-AC
+ ASILO DE LOS POBRES DE SAN ANTONIO DE PADUA AC
+
+
+
+
+ https://staging.giveth.io/project/OPENING-ACT-INC
+ OPENING ACT INC
+ Opening Act seeks to level the playing field for students attending New York Citys most under-served public high schools by offering students opportunities to develop leadership, community, and commitment through its innovative, high quality, free, After-School Theater Program.
+
+
+
+ https://staging.giveth.io/project/Association-For-The-Physically-Disabled:-Eastern-Cape-Port-Elizabeth-Region
+ Association For The Physically Disabled: Eastern Cape - Port Elizabeth Region
+ To promote the advancement of people with disabilities, so as to enable them to attain their maximum level of independence and integration in the community, and to allow them to take their rightful place in society.
+
+
+
+ https://staging.giveth.io/project/Naa-Adole-Foundation
+ Naa Adole Foundation
+
+
+
+
+ https://staging.giveth.io/project/Music-and-Theatre-for-All
+ Music and Theatre for All
+ The Charity?s objects are, for the public benefit, to:<br>1. Advance the education of the public in the appreciation of music and theatre<br>2. Advance public awareness of and promote participation in music and theatre<br>Music and Theatre For All has contributed to the funding of live concerts, workshops for school children and OAPs, film and audio recording in line with its stated aims and objectives.
+
+
+
+ https://staging.giveth.io/project/The-Mammoth-Site-of-Hot-Springs-South-Dakota-Inc
+ The Mammoth Site of Hot Springs South Dakota Inc
+ Our mission is the preservation, research, and interpretation of The Mammoth Site of Hot Springs, South Dakota, and development of a broad understanding of the Late Ice Age record across a global framework.
+
+
+
+ https://staging.giveth.io/project/BRIDGE-FOR-DEVELOPMENT-ORGANIZATION
+ BRIDGE FOR DEVELOPMENT ORGANIZATION
+ The mission of BDO is to enable women, children and young people in need of special support to receive health and education support and job and life skills training to develop employability, motivation and self-confidence.
+
+
+
+ https://staging.giveth.io/project/Friendship-Bridge
+ Friendship Bridge
+ Friendship Bridge is a 501(c)(3) nonprofit social enterprise with a mission to create opportunities that empower Guatemalan women to build a better life.
+
+
+
+ https://staging.giveth.io/project/12Stone-Church-Inc
+ 12Stone Church Inc
+
+
+
+
+ https://staging.giveth.io/project/Journey-Church-in-Bend
+ Journey Church in Bend
+
+
+
+
+ https://staging.giveth.io/project/Junior-Achievement-of-Georgia
+ Junior Achievement of Georgia
+ To serve as a business-integrated education partner with expertise in experiential learning that successfully develops key mindsets and skills for students to lead meaningful and successful lives.
+
+
+
+ https://staging.giveth.io/project/Hope-Health-Action
+ Hope Health Action
+ Hope Health Action is a Christian NGO passionate about facilitating sustainable, life-saving health and disability care to the worlds most vulnerable, without any discrimination. We seek to put the call of Jesus into reality, loving others, as we would wish to be loved ourselves; bringing hope, health and action to the worlds poorest.<br><br>We equip local health systems in the most fragile states, empowering national staff and facilities to fulfill their vision, ensuring the worlds poorest receive accessible, dignified and compassionate healthcare.
+
+
+
+ https://staging.giveth.io/project/International-Association-for-Human-Values-(UK)
+ International Association for Human Values (UK)
+ The International Association for Human Values (IAHV) offers programs to reduce stress and develop leaders so that human values can flourish in people and communities. We foster the daily practice of human values - a sense of connectedness and respect for all people and the natural environment, an attitude of non-violence, and an ethic of social service. Our programs enhance clarity of mind, shift attitudes and behaviours, and develop leaders and communities that are resilient, responsible, and inspired.
+
+
+
+ https://staging.giveth.io/project/Caritas-Association-of-the-Archdiocese-of-Cologne
+ Caritas Association of the Archdiocese of Cologne
+
+
+
+
+ https://staging.giveth.io/project/Abrahams-Oasis
+ Abrahams Oasis
+ Creating an enabeling environment whereby social and cultural integration of marginalized and vulnerable children and women will occur, strengthening them through childcare, protection, skills training, health awareness, schooling and family re-unification resulting in dignity and independence of the individual and the community.
+
+
+
+ https://staging.giveth.io/project/MAITS-Multi-Agency-International-Training-and-Support
+ MAITS - Multi-Agency International Training and Support
+ MAITS is an international disability charity whose mission is to improve the lives of some of the worlds poorest people with developmental disabilities and the lives of their families, through better access to and quality of health and education services and support. <br><br>We provide education, training and support for those working with and caring for persons with developmental disabilities such as cerebral palsy, autism and global learning disabilities to ensure they are able to achieve their full potential in a way that is sustainable and inclusive.<br><br>We support people with disabilities in the following ways:<br> The training of healthcare and education professionals, community workers, families and carers- to better understand their conditions and build their skills and knowledge to ensure persons with disabilities have better access to and improved quality of services.<br><br> The development of training materials and resources on disability- the training materials are tested out and adapted to the local context, and when needed, translated into the local language, to ensure high quality care for those with disabilities.<br><br>Linking organisations that need training with those who are able to provide it- through our website and through our database of 208 volunteer therapists and educators.<br><br>In addition to facilitating face-to-face training, MAITS has an ongoing programme of resource development, designing tools that assist in the support and inclusion of individuals with particular needs, whether it be at home, school, in healthcare provisions or elsewhere in the community, in low-resource settings. <br><br>We have a small team of specialists who create resources and we connect those looking for training with those who can provide it.<br><br>Our mission is to improve the lives of some of the worlds poorest people with developmental disabilities and the lives of their families, through better access to and quality of health and education services and support.
+
+
+
+ https://staging.giveth.io/project/International-Centre-for-Research-in-Agroforestry
+ International Centre for Research in Agroforestry
+ To harness the multiple benefits trees provide for agriculture, livelihoods, resilience and the future of our planet, from farmers fields through to continental scales.
+
+
+
+ https://staging.giveth.io/project/Dutch-Institute-for-Vulnerability-Disclosure
+ Dutch Institute for Vulnerability Disclosure
+ We aim to make the digital world safer by reporting vulnerabilities we find in digital systems to the people who can fix them. We have a global reach, but do it Dutch style: open, honest, collaborative, and for free.
+
+
+
+ https://staging.giveth.io/project/Cosma-Sustainable-Rural-Development
+ Cosma Sustainable Rural Development
+ Cosma raises Ugandan standards of living through investment in groups of capable, but disadvantaged individuals by providing micro financing development loans, agricultural development supplies and expertise, academic scholarships and vocational education.
+
+
+
+ https://staging.giveth.io/project/Morrissey-Compton-Educational-Center
+ Morrissey-Compton Educational Center
+ TO ENABLE CHILDREN AND ADULTS WITH LEARNING DISABILITIES AND OTHER SCHOOL-RELATED DIFFICULTIES TO ACHIEVE THEIR GOALS BY PROVIDING THE HIGHEST QUALITY DIAGNOSTIC AND INTERVENTION SERVICES IN A SUPPORTIVE ENVIRONMENT.
+
+
+
+ https://staging.giveth.io/project/Feeding-Americas-Hungry-Children
+ Feeding Americas Hungry Children
+ Mission is to help prevent malnourishment in those at risk and help provide medical care to those suffering the effects of malnourishment.
+
+
+
+ https://staging.giveth.io/project/Alliance-Publishing-Trust
+ Alliance Publishing Trust
+ Alliance aims to facilitate the exchange of information and ideas among philanthropists, social investors and others working for social change worldwide in order to maximize the impact of funding for social development.
+
+
+
+ https://staging.giveth.io/project/Notre-Dame-de-France-Society-of-Mary
+ Notre Dame de France - Society of Mary
+ The primary aim of the Charity is the establishment and maintenance of a Francophone Roman Catholic Church in London and for such lawful charitable purposes connected with the advancement of the Roman Catholic religion in England and Wales primarily amongst the Francophone community.
+
+
+
+ https://staging.giveth.io/project/DIE-CLOWN-DOKTOREN-EV
+ DIE CLOWN DOKTOREN EV
+ About the Clown Doktors<br><br>They are called Dr. Stracciatella, Dr. Furioso or Dr. Raclette and are experts in intensive laughing medicine. Together with their 33 other colleagues from DIE CLOWN DOKTOREN E.V., they bring joy and variety into everyday clinical life to sick children. By including the little patients in their jokes, they promote the healthy, playful side of the children, strengthen their self-healing powers and thus support medical therapy through the power of humor.<br><br>The special thing about it: The clown doctors are all freelance artists who have undergone special, long-term training for their sensitive task. Their humor visits, which are only financed through donations, always take place in close coordination with the medical nursing staff on site. True to the motto "Laughing helps heal", the clown doctors give their little patients a laugh test, transplant clown noses, prescribe soap bubble treatments or chocolate ice cream pizza. By including the little patients in their jokes, they support and promote the healthy, playful side of the children, strengthen their self-healing powers and thus support medical therapy through the power of humor.<br><br>In addition to the beneficial effects of laughter and humor, the regularity of the clown doctor visits is particularly important for sick and seriously ill children. Many children eagerly await "their" clown doctors. But they are not the only ones: The humor visits are also an important change for the parents during their stay in the childrens clinic, which is often very worrisome.<br><br>Since 2009, the beneficial effects of laughter and humor have also benefited older people: the visits by the clown doctors have been extended to facilities for the elderly.<br>The warm welcome is always very touching. Singing, dancing, joking together or simply exchanging ideas about previous experiences repeatedly create indescribable moments for the residents - but also for the staff and the clown doctors themselves.<br><br>The association DIE CLOWN DOKTOREN E.V. has been organizing humorous visits to meanwhile 13 childrens clinics, two intensive care facilities, twelve senior facilities, two geriatric wards and a childrens hospice in the Rhine-Main area, in Central Hesse and in Rhineland-Palatinate since 1994. With more than 2,000 visits, the 33 clown doctors reach over 60,000 sick children and hundreds of seniors every year.
+
+
+
+ https://staging.giveth.io/project/The-Viking-Academy-Trust
+ The Viking Academy Trust
+
+
+
+
+ https://staging.giveth.io/project/Naisten-Linja-Suomessa-Womens-Line-in-Finland
+ Naisten Linja Suomessa - Womens Line in Finland
+ Naisten Linja Suomessa ry (Womens Line in Finland) is an association registered in 1999, the purpose of which is to oppose attitudes and structures that perpetuate violence against women in society, to eliminate such violence at the social and individual level, and to help women and other participants in violence. In addition, the association strives to promote womens equality and rights in society.<br><br>Naisten Linja fulfills its purpose by supporting women and girls and their loved ones who have experienced and fear violence. The Womens Line helpline, chat service, online mail service, and peer support groups help anyone who defines themselves as a woman who wants to discuss a concern about violence. The contact person does not need to define herself in advance as an victim of violence, nor does she need to know about the different forms of violence. Mere worry is enough.<br><br>In addition to organizing services, Naisten Linja acts as a social influencer. The association makes statements, produces and disseminates information on violence against women, participates in public debate and cooperates with national and international actors in the field. Naisten Linja also provides support services for women who have experienced digital violence, organizes training on digital violence for various target groups, and carries out advocacy and research cooperation in the field of digital violence and online harrasment. <br><br>The main sponsor of Naisten Linja is the Finnish Funding Centre for Social Welfare and Health Organisations (STEA). In addition, Naisten Linja raises its own funds and organizes peer group activities supported by the City of Helsinki.<br><br>Naisten Linja is founded by those who have experienced violence. Peer support and the voice of the victim of violence remain at the heart of our work. The association exists because an early, low-threshold service package prevents and empowers women and girls who have experienced violence. Support for those experiencing violence as early as possible is vital, literally.
+
+
+
+ https://staging.giveth.io/project/Doublethink-Lab
+ Doublethink Lab
+ Doublethink Lab (Doublethink) is a civil society organization (CSO) devoted to studying the malign influence of digital authoritarianism. Doublethinks strengths lie in the ability to combine a diverse set of research approaches in the social, behavioral, and computational sciences to study state-funded propaganda campaigns, psychological warfare, and related information operations. Doublethink seeks to foster global networks connecting academics, democracy movements, digital communities, like-minded CSOs, and experts on the Peoples Republic of China, in order to strengthen global democratic resilience.
+
+
+
+ https://staging.giveth.io/project/Act4Africa
+ Act4Africa
+ Our vision is to see the lives of women and girls transformed within flourishing and equal communities across Africa.<br>Our mission is to promote gender justice and support women and girls in Uganda to thrive independently through a transformative and holistic approach to health, education, agriculture, and livelihoods.
+
+
+
+ https://staging.giveth.io/project/Feed-My-Hungry-Children
+ Feed My Hungry Children
+ Mission is to help prevent malnourishment in those at risk and help provide medical care to those suffering the effects of malnourishment.
+
+
+
+ https://staging.giveth.io/project/Foundation-Aid-to-Poles-in-the-East
+ Foundation Aid to Poles in the East
+ The main statutory goals of the Foundation are:<br><br>Maintaining Polishness by disseminating the knowledge of the Polish language;<br>Promotion of Polish culture and national traditions;<br>Improvement of the social, professional and material situation of the Polish ethnic group;<br>Protection of Polish cultural heritage in the East;<br>Development of Polish media in the East;<br>Supporting regional and international cooperation, ect.
+
+
+
+ https://staging.giveth.io/project/Jewish-Federation-of-Northern-New-Jersey-Inc
+ Jewish Federation of Northern New Jersey, Inc
+ Federation works to build a vibrant Jewish community and a bright Jewish future. Our resources give us access and opportunity to secure and support our community and provide relief in times of crisis. We are the only organization in northern New Jersey that focuses on the needs and issues of the entire Jewish community.
+
+
+
+ https://staging.giveth.io/project/St-Louis-Childrens-Hospital-Foundation
+ St Louis Childrens Hospital Foundation
+ St. Louis Children’s Hospital will do what is right for children.
+
+
+
+ https://staging.giveth.io/project/Be-Enriched
+ Be Enriched
+ Be Enriched enriches communities through food. Our projects build community, increase access to healthy food, and provide skills training for those who are out of work. We bring people together to share knowledge and cultivate relationships, and aim to empower communities.
+
+
+
+ https://staging.giveth.io/project/South-American-Initiative
+ South American Initiative
+ Transforming lives in the greatest time of need.. South American Initiative is a U.S. based non-profit organization providing food and medical care for orphans, providing medical care for sick children, newborn infants, expectant mothers, and seniors, and food and shelter to abandoned dogs and zoo animals in Venezuela.
+
+
+
+ https://staging.giveth.io/project/Hennops-Revival
+ Hennops Revival
+ Reviving, restoring and healing the Hennops River in collaboration with the government, other NGOs, NPOs, Forums, the private sector and the public
+
+
+
+ https://staging.giveth.io/project/(CCCF)-Chaffee-County-Community-Foundation
+ (CCCF) Chaffee County Community Foundation
+ CCCF acts as a catalyst to inspire positive change through the power of philanthropy to enrich the lives of all people in Chaffee County.
+
+
+
+ https://staging.giveth.io/project/Aquanauts-Adaptive-Aquatics
+ Aquanauts Adaptive Aquatics
+ Our mission is to provide the adaptive sport of SCUBA Diving for the benefit of military veterans, people living with disabilities, and other special needs groups for the purposes of social interaction, life enrichment, and wellness.
+
+
+
+ https://staging.giveth.io/project/Stone-Soup-Cafe-Inc
+ Stone Soup Cafe, Inc
+ Our mission is to create a community space where people from all walks of life come together to share nourishment, connection, and learning for body, mind, and spirit.
+
+
+
+ https://staging.giveth.io/project/The-Layton-Rahmatulla-Benevolent-Trust
+ The Layton Rahmatulla Benevolent Trust
+ LRBT is committed to creating a better Pakistan by preventing the suffering caused by blindness and other eye ailments. LRBTs mission "No man, woman or child should go blind simply because they cannot afford the treatment
+
+
+
+ https://staging.giveth.io/project/Claris-Health
+ Claris Health
+ Since 1976, Claris has served the greater Los Angeles community, developing from a small resource center into a licensed, multi-site health clinic providing integrated services and bringing hope to individuals across the city. Our mission is to equip and care for individuals and their families before, during, and after pregnancy and sexual-health choices. To support our core work, we have implemented a patient-led, family-centric model of care that addresses the whole person - physical and emotional, and encourages and empowers each member of the family for a collectively healthy future.
+
+
+
+ https://staging.giveth.io/project/Girls-Education-Collaborative
+ Girls Education Collaborative
+ Our mission is to help communities bring transformational change to girls lives thru the power of holistic, quality education.
+
+
+
+ https://staging.giveth.io/project/The-Guinean-organization-for-the-defense-of-human-rights-and-citizens-(OGDH)
+ The Guinean organization for the defense of human rights and citizens (OGDH)
+ The OGDH has a general objective: the promotion and protection / defense of Human Rights being inside and outside Guinea.<br><br>In such, it aims are:<br><br> a) To fight against intolerance, arbitrariness and discrimination of any kind;<br> b) To oppose any sort of violation of Human Rights, Liberty, Justice and Equality:<br> c) To contribute to the edification of Guinea as a State of Rights and true democracy.
+
+
+
+ https://staging.giveth.io/project/Teen-Turn
+ Teen-Turn
+ Teen-Turn addresses the numbers of third level qualifications, particularly those related to STEM, attained by women from disadvantaged and underrepresented communities. Teen-Turn achieves this by providing--from when participants are teenagers--ongoing hands-on experiences, exposure to consistent, invested role model mentors and long-term support through alumnae career development opportunities.<br><br>*****<br><br>Teen-Turn aims to influence course decision-making processes, inform participants on education and career options, and combat stereotypes by strategically changing how girls from disadvantaged and underrepresented communities identify with STEM career environments through mentored summer work placements, after school activities and alumnae opportunities.<br><br>Programming begins with a work placement in the summer after Junior Cert, during which participants are exposed to projects, introduced to role models and begin to blog about their time so that we can evaluate the effect of the experiences. From there, the girls have the option to join after school activities which include science projects for BTYSE/SciFest, the creation of a social enterprise and app development for Technovation, homework/grinds clubs, or related events like learning camps and incubators with company partners. Once participants have completed secondary school, they enter into our alumnae network--which offers numerous events to meet with fellow Teen-Turn participants, mentors who are women working in STEM roles, and career advisors all there to help with qualification completion and to build a professional network.<br><br>What we do is empower our participants-to identify a STEM interest, to be supported in the pursuit of mastering skills and gaining qualifications related to that interest, and then provided the connections and social capital and ongoing reinforcement to develop a STEM career from that interest. We call it our Junior Cert to Job commitment.<br><br>*****<br><br>Our proposition is that more girls acquiring in-demand STEM skills will result in more women employed in STEM careers, addressing skills shortage, gender ratio and social inclusion challenges. This is done by initially introducing STEM careers through work experience, followed by after school STEM activities including science projects and app development, then bolstered by STEM club involvement and ongoing STEM learning, exam support, discussion and debate events and career workshops.<br><br>NOTE: All activities, other than work placements, were successfully brought online during COVID-19 restrictions and can again if the need arises.<br><br>Core Project Elements<br><br>Summer Work Experience: girls in the summer after Junior Cert (aged 15) are introduced to STEM career environments at companies located near their homes; during this experience they are introduced to female role models, work on an actual project, learn to visualize themselves in a STEM workplace, and gain an understanding of the companies flourishing in their neighborhood thereby crossing what is often a corporate/community divide.<br><br>After School Activities:<br><br>(1) Project Squad, 13 weeks in autumn, participants learn about the scientific method, research methodology, experimentation, data collection, results reporting and visual presentations while mentored on projects of their own design by industry and academic women-in-STEM;<br><br>(2) Technovation, 13 weeks in spring, participants learn how to build a business plan and develop a mobile app that addresses a community problem, including design thinking, scrum/lean methodology, market research, pitch and demo presentations, and computer programming principles such as loops, conditionals, variables, and databases again while mentored on projects of their own design by industry and academic women-in-STEM.<br><br>Clubs:<br><br>(1) Grinds, year round, senior cycle and exam support is provided on a fortnightly basis by university students imparting techniques for studying and improving habits and following NCCA curriculum materials;<br><br>(2) Groundwork, year round, participants engage in ongoing person centered planning activities through monthly sessions conducted online by trained mentors who work with beneficiaries to develop plans that establish individual goals and what is needed in terms of support to achieve them with additional quarterly personal development workshops-this activity is particularly effective with those from our cohort who have disabilities.<br><br>Term Break Camps<br><br>(1) Incubators, during autumn and winter mid-term breaks, teams from our afterschool who produce work that could go into production/to market or, at the very least, be developed into a minimal viable product learn about and work on a strategy for commercializing their inventions or apps;<br><br>(2) Devising Week, during Easter break, devising for participants means to plan or invent for a four day period when learning skills, mentoring and career experience are combined to deliver instruction in using technologies to problem solve in ways that are relevant to and currently being done in industry.<br><br>Alumnae Opportunities: girls who have completed secondary school can participate in offerings that are designed to be social and enable the building of support and professional networks including debate and discussion events, scholarship information and application workshops, CV, job hunt and interview training, study habits bootcamps, and "give-back" mentoring days.<br><br>Teen-Turn works with school representatives, including school completion officers and guidance counselors, to identify girls with promise who lack the confidence or are challenged by home circumstances, learning difficulties, or other obstacles (including ASD) that prevent them from performing in school as well as they potentially can. Conscious that these at-risk girls have high attrition and low post-secondary education progression rates, our approach is both immersive and followed up with reinforcement along what we call the Junior Cert to Job route. An important component to this intervention is that each girl interacts regularly with women-in-STEM mentors as learning in the presence of female role models has been shown to impact girls self-image and confidence, encouraging them to see themselves in new ways and stimulate new interests. We also provide recurring skill training and personal development opportunities.<br><br>*****<br><br>Teen-Turn seeks impact over impression, distinguishing itself by committing to support participants through multiple stages--secondary school, third level, and career--to combat the high drop-out rate which affects our beneficiary group. Teen-Turn focuses on long-term results through its Junior Cert to job support system. We are on track to increase the number of disadvantaged girls entering third level/acquiring jobs by 1,000 by 2021 and expect to continue at a rate of at least 300 per year. Within five years we will have provided a significant number of disadvantaged girls in Ireland the social capital and skills experience necessary to acquire STEM qualifications and career opportunities. The impact is this development of a local talent pool of skilled women who can thrive in a STEM career environment from whom companies can hire. Resultant, too, is the knock on effect of their presence as role models to girls from their own communities.<br><br>Our Theory of Change envisages this impact as reaching even further than broadening inclusion in STEM. In addition to the likelihood of participants finding meaningful employment in STEM, changing their own and possibly their families standard of living, there are other possibilities. Because of the enterprise programming to which the participants are exposed and the frequent feedback reiterating an interest in starting a business, some Teen-Turn beneficiaries will start their own companies, becoming employers themselves. The qualifications attained combined with the professional network developed should position these individuals to succeed. Also, as a factor of a skills shortage is staff turnover, employee retention will be improved by there being a talent pool from which to draw who has ties to the neighboring communities. Lastly, studies indicate that when those from disadvantage are empowered to become active citizens, they also become powerful self advocates. It is our expectation that future policy makers and community lobbyists will emerge from our cohort, already evident on a few of the girls blogs.
+
+
+
+ https://staging.giveth.io/project/Horn-of-Africa-Development-Initiative-HODI
+ Horn of Africa Development Initiative - HODI
+ HODI envisions A democratic, peaceful and prosperous society engaging in sustainable development and exists to (mission) "champion justice & development in Northern Kenya through advocacy and facilitation of education, community cohesion and livelihood support programs
+
+
+
+ https://staging.giveth.io/project/Engo-Free-State
+ Engo Free State
+ Engo is a non-profit and non-governmental welfare organisation that works mainly in the Free State and provides care and counselling to children, families, the elderly, the disabled and patients in need.<br><br>Engo was formally established in 1967, although some services such as the Charlotte Theron Child and Youth Care Centre in Bethlehem were established in 1902. Engo has been serving the community for over 100 years.<br><br>Engo is the second largest charity of its kind in South Africa and the largest in the Free State and does incredible work in communities of all races, cultures and ages. Engo touches nearly 200 000 lives annually.<br><br>Engo works according to specific core values. These values are courage, excellence, honesty, integrity, care and empathy. We create eternal hope and have a Christian approach and inclination in our service. We strive to make a difference in the lives of people<br><br>Engo consists of six sub-programmmes that provide services to different sectors of the community. These programs are:<br><br>Family Care;<br>Adoptions;<br>Child and Youth Care;<br>Elderly Care;<br>Hospital Care;<br>Disability Care<br><br>AIM:<br>Engo Provincial Governance Board is responsible for the planning, coordination and facilitation of social services in order to enhance the social welfare, care, development and treatment of individuals, families, groups and communities in the Free State.<br><br>Engo Provincial Office is a provincial body and renders overall professional, staff development, supervision and management services with regard to human resources, administration and finances. In its capacity as a provincial body, Engo is also responsible for the monitoring, evaluation and development of services.<br><br>Goals:<br>In order to reach the aim as described in the constitution, Engo fulfils the following goals:<br> identify indicators of human need in the province and country, and work together with other role-players to apply available resources to alleviate need where possible;<br> undertake research independently, as well as in collaboration with other role-players and institutions;<br> approve policies;<br> advise all affiliated programmes and Engo programmes, the Department of Social Development, communities and other role-players with regard to the service areas;<br> promote minimum norms and standards of service delivery;<br> obtain funding, equipment and facilities to deliver and broaden services;<br> recruit, select and develop learners, staff members, members of governance bodies as well as volunteers and committees to deliver an effective service.
+
+
+
+ https://staging.giveth.io/project/Transformation-Church-Inc
+ Transformation Church, Inc
+ “Leading people into a TRANSFORMING relationship with Jesus.”. Our donors are primarily individuals both here in the US and around the world.
+
+
+
+ https://staging.giveth.io/project/Empower-Communities-Charitable-Trust
+ Empower Communities Charitable Trust
+ The mission of Community Empowerment Charitable Trust is to tackle Uyghur Humanitarian Crisis through inspiring quality services and collaboration in order to empower Uyghur individuals, families, and communities to achieve long-term positive change in their lives, particularly through business, education, and well-being. <br><br>At Empower Communities we will offer assistance to Uyghurs in four areas:<br>Business formation and development<br>Employment oriented training<br>Education<br>Well-being<br><br>Currently, we have five projects in operation:<br>Microenterprise Program<br>Training Grants<br>Childcare Support Grants<br>Student Relief Grants<br>One Student, One Laptop<br><br>Starting in April 2022, we expect to provide business loans to four businesses, 23 training grants, 27 childcare support grants, seven Student Relief Grants, and 100 laptops in the first round of our projects.
+
+
+
+ https://staging.giveth.io/project/Foco-Empreendedor
+ Foco Empreendedor
+ MISSION: Multiply the attitudes that transform people, businesses, and society through Entrepreneurial Education.
+
+
+
+ https://staging.giveth.io/project/Opportunity-International-Inc
+ Opportunity International Inc
+ By providing financial solutions and training, we empower people living in poverty to transform their lives, their childrens futures, and their communities.
+
+
+
+ https://staging.giveth.io/project/San-Fernando-Valley-Freedom-Foursquare-Church
+ San Fernando Valley Freedom Foursquare Church
+ NULL
+
+
+
+ https://staging.giveth.io/project/Margadarshi-The-Association-for-Physically-Challenged
+ Margadarshi The Association for Physically Challenged
+ Remove barriers imposed by disability and instil faith and hope in disabled persons so that they start owning the process of their own development.
+
+
+
+ https://staging.giveth.io/project/The-Volmoed-Trust-(for-Healing-And-Reconciliation-In-South-Africa)
+ The Volmoed Trust (for Healing And Reconciliation In South Africa)
+ The Volmoed Trust (for Healing and Reconciliation in South Africa) is a retreat and conference centre in Hermanus, Western Cape, South Africa. The focus of its mission for the past thirty four years of its existence is reconciliation, focused on racial reconciliation, and reconciliation within families and groups.<br><br>Volmoed is an Afrikaans word meaning full of hopeful courage. It provides a beautiful, peaceful space in nature, as a container for confronting the difficult issues of race, gender, family conflict, differences of culture or religion or class.<br><br>This beautiful, peaceful place provides the setting for courageous conversations and difficult dialogues. Many people have found that Volmoed affords them the opportunity ro confront and discover their differences, or their brokenness, and find resolution, wholeness and peace. There are many stories over the years, of reconciliation reached in very challenging situations. Groups and individuals come for training programs, conferences focused on reconciliation, group learnings, wellness retreats and relaxation.<br><br>It is a very special place, the perfect place for its dynamic Volmoed Youth Leadership Program (VYLTP). This vibrant program is forming a movement of courageous young leaders who ignite transformative justice in their communities, for the planet.<br><br>The program gathers diverse groups of young leaders age 19-26 years of different races, classes and genders from South Africa and other countries for a residential ten-week program at Volmoed. The mission is to form and train wise, strategic leaders for the future of our communities, our countries and our planet, by creating a safe space of learning through courageous conversations that empowers them to facilitate transformative justice in their own communities and countries.
+
+
+
+ https://staging.giveth.io/project/The-Fathers-House
+ The Fathers House
+ At The Fathers House, it is our mission to care for people in every stage of faith. Empowering and equipping Christ-followers to know Him more and to make Him known throughout all of the world.
+
+
+
+ https://staging.giveth.io/project/Udayan-Care
+ Udayan Care
+ Mission<br>Appalled by the stark reality of 31 million orphans in India and shocked by the condition of institutions housing them, a few like- minded individuals got together to take serious action. This obsession was the seed which sprouted as Udayan Care, - which was registered in 1994, as a Public Charitable Trust.<br>While our first initiative was the Udayan Ghar programme for orphaned and abandoned children, we gradually worked towards ensuring higher education for girls through the Udayan Shalini Fellowship. In 2004, Udayan Care also initiated an Outreach programme for children affected by HIV, as well as the Udayan Information and Technology Centres to improve employability of under-served communities. We began with a thorough research on existing models for children in need of care & protection and opportunities that existed for young girls, women and disadvantaged youth. What our research threw up was an eye-opener and a driving force for us to develop innovative models across all our initiatives. Needless to say, the journey had many hurdles but it is Udayan Cares dynamism that has sustained it and enabled us to expand our intervention.<br><br>Our Vision: Making Young Lives Shine<br><br>Our Mission: By engaging individuals, committed to human rights, under the framework of SDGs, Udayan Care enables nurturing homes for vulnerable children; empowers girls to aspire for and pursue higher education and gain employability; offers communities digital and vocational training to become self-reliant. Through research, training, conferences, and advocacy, Udayan Care influences policies and practices on the Standards of Alternative Care in the South Asian region.<br><br>Our Theory of Change -<br>India has about 20 million orphaned and abandoned children, who are denied their basic rights of growing up and developing in a family. Improving standards of care for such children in Alternative Care is a low priority in country planning. Gender discrimination prevents millions of girls from weaker sections of society to get an equal opportunity to continue their education, and technical, vocational and professional skills are lacking among disadvantaged communities to become economically self-reliant. <br><br>By engaging individuals committed to rights of the disadvantaged, Udayan Care is able to provide nurturing homes to children in need care and protection; empower girls to aspire and pursue higher education; offer communities digital and vocational training to become self-reliant; through research, training and creating platforms through conferences, it generates the discourse on the standard for Alternative Care in South Asia region.<br><br>Strategic Objectives in line with Mission and vision:<br>1. Provide protection and holistic growth to children in difficult circumstances.<br>2. Increase professional skills and employability of financially and socially disadvantaged communities.<br>3. Establish dynamic processes/models of Care and Protection.<br>4. Influence Policy Reform and decision making processes.<br>5. Promote Voluntarism to engage in Child Care and Development processes<br>6. Work towards inculcating a new world view and practice towards children in vulnerable situations<br>7. Develop a structured research and documentation process that can be shared with other stakeholders at national and international levels.<br>8. Organize adequate resources for all the programs, maintain the financial health of the organization and ensure that we work effectively as well as be cost effective.<br> <br>Vision 2020:<br>1. Set up and sustain 21 Udayan Ghars to reach out to 400 children for long-term care and support.<br>2. Aftercare: Sustain and develop further a very effective Aftercare programme and continuum of Care for our children and youth.<br>3. Support 8500 Udayan Shalini Fellows in 19 chapters.<br>4. Develop and sustain 16 Information Technology and Skill Centres to enhance employability and knowledge under-served communities.<br>5. Acquire adequate number of Mentor Parents for Udayan Ghars and Mentors for Udayan Shalini Fellowships in keeping with expansion.<br>6. Involve more interns from prestigious universities and experienced corporate volunteers.<br>7. Set up a Resource Centre for training of Caregivers & roll out Advocacy Programmes on Child Rights, particularly for those in alternative care.<br>8. Promote the replication of Standard Operating Procedures derived from Udayan Cares best practices for sharing with other similar NGOs and for application across all Udayan Care programmes
+
+
+
+ https://staging.giveth.io/project/World-Stop-Stuttering-Association
+ World Stop Stuttering Association
+ Eliminate stuttering and all speech anxieties from the planet.
+
+
+
+ https://staging.giveth.io/project/Water-Wells-for-Africa
+ Water Wells for Africa
+ Water Wells for Africa (WWFA) brings their first water ever to people in remote, hard-to-reach places in Africa.
+
+
+
+ https://staging.giveth.io/project/Unsilenced-Voices
+ Unsilenced Voices
+ Our mission: to rehabilitate victims of domestic violence and spread awareness to create sustainable change surrounding this epidemic in communities around the globe.<br><br>Our vision: to inspire change in communities around the world by encouraging victims to break free and survivors to speak up about domestic violence and sexual defilement.
+
+
+
+ https://staging.giveth.io/project/Education-For-All-Ltd
+ Education For All Ltd
+ Education For All (EFA) believes that education a basic human right, and that educated girls educate the next generation. EFA focuses on girls from rural, remote areas of Moroccos High Atlas region who are missing out on secondary education due to living too far away from schools and being too poor to afford transport. <br><br>EFA was founded in 2007 to respond to the high levels of illiteracy (estimated at 70%) amongst girls in the most deprived and remote areas of the High Atlas Mountains in Morocco. Instead of going to school, girls were staying home, doing domestic chores, marrying young and remaining in the cycle of poverty with limited choices in life.<br><br>The 3 main obstacles for girls in rural Morocco to access school are<br><br> Their villages are too far away from the secondary schools<br> Their families are too poor to afford the travel costs<br> There is low awareness of and value for educating girls<br><br>THE SIMPLE SOLUTION<br>EFA builds and runs safe and well equipped girls boarding houses. We currently accommodate 250 girls in 6 houses, from the ages of 12-18 yrs.<br><br>The EFA houses are a home away from home. They are staffed by local women which helps to create an environment where their culture is respected and trust is built with the local community. They have 3 nutritious meals a day, hot showers, computer rooms and plenty of books and learning support. We also run an international volunteer programme to support the girls in their studies and activities which broaden their horizons.<br><br>EFA Short Film<br>Register to watch the short Film: https://efamorocco.org/videos/changing-worlds/<br>Watch the trailer: https://vimeo.com/355137701<br><br>It only costs $3 a day to educate a girl for a whole year! OR $85 per month or $1000 per year.<br><br>IMPACT<br>The short-term impact of EFAs work is that many girls now have the opportunity to go to school who otherwise would be at home. Since 2007 we have given access to a full secondary education for 370 girls. These girls are now young women want to become lawyers, scientists, teachers and entrepreneurs! We now have over 130 girls enrolled at University since 2013, with two now studying their Masters Degrees, 3 on full university scholarships and one who just graduated to become a Biology teacher.<br><br>The longer-term impact is that these young women will be able to become financially independent, contribute to the workforce and economy and have more choice and voice in their families and society, ensuring progressive equality for future generations.<br><br>They have also inspired a positive shift in attitudes in their communities towards educating girls, and are strong role models to their sisters and friends, demonstrating what is possible for them and how to realise their potential through education.
+
+
+
+ https://staging.giveth.io/project/Essex-Herts-Air-Ambulance-Trust
+ Essex Herts Air Ambulance Trust
+ Our aim is to save lives, reduce or prevent disability, or suffering from critical illness and injury, by delivering a first class pre-hospital emergency medical service to the people of Essex, Hertfordshire and surrounding areas.
+
+
+
+ https://staging.giveth.io/project/Ocean-Recovery-Alliance
+ Ocean Recovery Alliance
+ The mission of Ocean Recovery Alliance is to reduce plastic pollution, both on land and in the water, by creating strategic solutions for governments, industry and communities which lead to long-term, hands-on programs which engage stakeholders and improve business practices. Our mission is achieved through purposefully designed activities to educate, build awareness and provide solutions which inspire positive societal change at the community, national and international levels. We also work on topics related to ecosystem preservation, over-fishing, marine protected areas, blue economy development (sustainable development of the ocean), and other related programs that may help to imporve the health of the ocean, via either land or water activites.
+
+
+
+ https://staging.giveth.io/project/Breakthrough
+ Breakthrough
+ Breakthrough partners with those affected by poverty to build connections, develop skills, and open doors of opportunity. With a hyper-local, 40-block focus, Breakthrough provides a myriad of services focused on a profoundly simple formula: people first.
+
+
+
+ https://staging.giveth.io/project/Aldeas-Infantiles-SOS-Peru
+ Aldeas Infantiles SOS Peru
+
+
+
+
+ https://staging.giveth.io/project/Do-Good-Shit
+ Do Good Shit
+ Do Good Shit is on a mission to reduce the harmful impacts of human waste on the environment and the surrounding communities.
+
+
+
+ https://staging.giveth.io/project/Atentamente-Consultores
+ Atentamente Consultores
+ AtentaMente contributes to the emotional well-being of all people through the sharing of mental training and socio-emotional learning techniques such as meditation, using evidence-based practices developed by the international scientific community.
+
+
+
+ https://staging.giveth.io/project/Have-Hammer-Will-Travel-A-C
+ Have Hammer Will Travel A C
+ Teaching Mexican Youth boys and girls valuable life skills through woodworking , carpentry and CAD design.
+
+
+
+ https://staging.giveth.io/project/Project-Camp-Inc
+ Project Camp, Inc
+ Instilling inspiration and empowerment while enhancing the lives of children with serious illnesses.
+
+
+
+ https://staging.giveth.io/project/Community-Partners
+ Community Partners
+ To accelerate ideas into action to advance the public good.
+
+
+
+ https://staging.giveth.io/project/Public-Movement-Faith-Hope-Love
+ Public Movement Faith, Hope, Love
+ Main mission: contributing to the development of civil society, economic, political, and social reforms in Ukraine, influencing the formation of policies, protecting rights and freedoms, improving the quality of human life, in particular women, children, and youth, by combining the efforts of the community and the state.<br><br>Work during the war:<br>Since the beginning of the full-scale invasion of rusia, our organization was one of the first in the city to create a «Volunteer Headquarters», on the basis of which we began to provide humanitarian aid to IDPs arriving in Odesa (more than 140,000 IDPs were registered in Odesa region at the end of February). We are constantly engaged in attracting partners and donors to our activities, and in March 2022, with<br> <br>We opened the "IDP HUB: First Aid", on the basis of which we provide MHPSS support and humanitarian aid, case management services and accompany to medical institutions, state structures, etc. 2 teams consisting of psychologists, social workers, and medical workers visits far away regions and provides psychosocial, medical, and humanitarian assistance on the basis of two organizations mobile ambulance vehicles.<br><br>In 2022, with the financial and technical support of International Funds and Organizations, FHL implemented 42 Projects.<br><br>We continuously and systematically monitor needs to provide our beneficiaries with the care and services they really need. We provide services to beneficiaries not only in Odesa region, but in other regions, such as Mykolaiv and Kherson.<br>With the onset of a full-scale war, the Directions of FHL have only increased, as we continue the implementation of all projects and directions that were started before the war, and launched the work in new ones related to the provision of psychosocial, medical, and humanitarian support for IDPs.
+
+
+
+ https://staging.giveth.io/project/Our-Sansar
+ Our Sansar
+ MISSION STATEMENT<br><br>Our Sansar is a dynamic and responsive International charity providing education, shelter and welfare to the most disadvantaged and vulnerable communities in Nepal. Our programmes focus on sustainability and empowerment of local communities.<br><br>Our mission is to provide education, shelter and welfare, to the most disadvantaged children for whom little or no help is forthcoming. <br><br><br><br>AIMS<br><br><br>The main aims of the organisation are: <br><br>To make a serious and sustainable impact upon impoverished communities by tackling both the causes and effects of poverty<br>To assist street children and young people from less fortunate families in their personal development<br>To work in partnership with local schools, communities and organisations to facilitate social change<br>To assist with the advancement of education in Nepal, formal and informal for street children.<br>To foster an open and inclusive environment for the sharing and development of skills and ideas<br><br>OBJECTIVES<br><br>We achieve our aims by:<br> <br>Training local teachers to benefit a maximum amount of children<br>Establishing a childrens home for street children to provide them with shelter, education, care and skills to build a happy future<br>Sending qualified teachers to Nepal to transfer their knowledge and skills to the local teachers<br>Establishing links between UK and Nepalese schools to facilitate cultural exchange and assist the most impoverished schools in Nepal<br> <br><br>We achieve our objectives through inclusive and innovative overseas projects, targeting communities that receive little or no help from other sources, governmental or otherwise.
+
+
+
+ https://staging.giveth.io/project/Dickinson-College
+ Dickinson College
+ Dickinson College provides a useful, innovative and interdisciplinary education in the liberal arts and<br>sciences to prepare students to lead rich and fulfilling lives of engaged global citizenship.
+
+
+
+ https://staging.giveth.io/project/Associacao-Crescimento-Limpo
+ Associacao Crescimento Limpo
+ To offer opportunity, dignity and independence through housing, job training, and community to men and women leaving homelessness.
+
+
+
+ https://staging.giveth.io/project/Oshman-Family-Jewish-Community-Center
+ Oshman Family Jewish Community Center
+ As a hub for the Silicon Valley Jewish community, the OFJCC creates meaningful,<br>inclusive and joyful experiences for everyone and explores innovative ways to integrate Jewish<br>traditions and values into contemporary life
+
+
+
+ https://staging.giveth.io/project/Iko-vzw
+ Iko vzw
+ Iko established an orphanage home in Andhra Pradesh , India. Our home "Mamare" was inaugurated on august 29, 2006. At this moment (2015) 35 children are living in our home as a family. Healthy food, good hygiene, sports and recreation and most of all education are the pillars of their future.
+
+
+
+ https://staging.giveth.io/project/Ensena-Peru
+ Ensena Peru
+ Build a movement led by agents of change whom, based on their experiences in vulnerable-area classrooms, contribute effectively from different sectors to eliminate the high inequality and low quality of education in Peru.
+
+
+
+ https://staging.giveth.io/project/Trustees-of-Dartmouth-College
+ Trustees of Dartmouth College
+ Mission
+OUR MISSION
+
+Dartmouth College educates the most promising students and prepares them for a lifetime of learning and of responsible leadership, through a faculty dedicated to teaching and the creation of knowledge.
+
+OUR CORE VALUES
+
+Dartmouth expects academic excellence and encourages independence of thought within a culture of collaboration.
+
+Dartmouth faculty are passionate about teaching our students and are at the forefront of their scholarly or creative work.
+
+Dartmouth embraces diversity with the knowledge that it significantly enhances the quality of a Dartmouth education.
+
+Dartmouth recruits and admits outstanding students from all backgrounds, regardless of their financial means.
+
+Dartmouth fosters lasting bonds among faculty, staff, and students, which encourage a culture of integrity, self-reliance, and collegiality and instill a sense of responsibility for each other and for the broader world.
+
+Dartmouth supports the vigorous and open debate of ideas within a community marked by mutual respect.
+
+OUR LEGACY
+
+Since its founding in 1769 to educate Native students, English youth, and others, Dartmouth has provided an intimate and inspirational setting where talented faculty, students, and staff - diverse in background but united in purpose - contribute to the strength of an exciting academic community that cuts easily across disciplines.
+
+Dartmouth is committed to providing the best undergraduate liberal arts experience and to providing outstanding graduate programs in the Dartmouth Medical School (founded 1797), the Thayer School of Engineering (1867), the Tuck School of Business (1900), and the graduate programs in the Arts and Sciences. Together they constitute an exceptional and rich learning environment. Dartmouth faculty and student research contributes substantially to the expansion of human understanding.
+
+The College provides a comprehensive out-of-classroom experience, including service opportunities, engagement in the arts, and competitive athletic, recreational, and outdoor programs. Pioneering programs in computation and international education are hallmarks of the College. Dartmouth graduates are marked by an understanding of the importance of teamwork, a capacity for leadership, and their keen enjoyment of a vibrant community. Their loyalty to Dartmouth and to each other is legendary and is a sustaining quality of the College.
+
+
+
+ https://staging.giveth.io/project/Provide-International
+ Provide International
+ Our mission is to work for the welfare of the less privileged, vulnerable members of our society by focusing on in-depth values through;<br><br>1. Commitment to equip the communities to realize their potential in human and natural resources<br><br>2. Developing the attitude of mobilizing and identifying the opportunities with due regard to accountability, efficiency and effectiveness in a participatory manner<br><br>3. Encouraging and developing partnerships with other stakeholder in the pursuit of the Millennium Development Goals (MDG)
+
+
+
+ https://staging.giveth.io/project/St-Mary-Medical-Center-Foundation
+ St Mary Medical Center Foundation
+ As a member of CommonSpirit Health, we make the healing presence of God known in our world by improving the health of the people we serve, especially those who are vulnerable, while we advance social justice for all.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Hospital-Pediatrico
+ Fundación Hospital Pediátrico
+ Our vision and goal is to enhance high-quality care and the well being of children by increasing equity and access to care, and creating an environment of collaboration and innovation in the delivery of health care.
+
+
+
+ https://staging.giveth.io/project/Non-governmental-organization-Womens-Federation-for-World-Peace
+ Non-governmental organization Womens Federation for World Peace
+ International non-governmental organization "Womens Federation for World Peace" is committed to establish lasting peace through uniting women of Ukraine and other countries in educational and charity activities, national and international conferences, benefits and service projects.
+
+
+
+ https://staging.giveth.io/project/SAFE-SPACES-ORGANIZATION-AFRICA
+ SAFE SPACES ORGANIZATION AFRICA
+ Providing a safe space for young girls and young women to envision and pursue the future they want for themselves and their communities through life-skills and reproductive health training and awareness, Arts and Sports, professional development and scholarship program me.
+
+
+
+ https://staging.giveth.io/project/Traditions-People
+ Traditions People
+ Traditions & People is a social enterprise that launched the first farmers market of Lebanon in 2004 (called "Souk el Tayeb"), the farmers market has evolved since 2004 from an experimental project promoting small-scale farmers and producers, to an innovative social enterprise working on both national and international projects to develop and preserve culinary traditions, rural heritage and the natural environment. This has been achieved through the launch of a series of farmers kitchens (6 Tawlet restaurants) and bed & breakfasts (5 Beits) across the country, as well as creating a catering unit and a grocery line (Dekenet). Thanks to this network, over 1,000 people found jobs in their local community from small-scale farmers and producers, to women/housewives/cooks, especially from the underprivileged communities and youth.<br>In addition, through its Capacity Building Program, Traditions & People trained hundreds of women and youth from underprivileged communities, working in partnership with international organizations and donors.
+
+
+
+ https://staging.giveth.io/project/Associacao-Prato-Cheio
+ Associacao Prato Cheio
+ Associacao Prato Cheio is a non-governmental organization certified as an OSCIP entity (Civil Society Organization for Public Interest).<br><br>Founded in 2001 by a group of graduate students who identified a great volume of food that was being wasted at the Mercado Municipal in Sao Paulo and led them to collect and distribute what was wasted to charities.<br><br>The mission of Prato Cheio is to promote access to adequate food for people at social risk and vulnerability, by fighting food waste and enhancing nutrition education, contributing to environmental development.<br><br>Prato Cheios action is based on the Colheita Urbana Program, a concept developed by Food Chain, which is a North American and Canadian network of NGOs. Its based on collecting fresh food in a safe manner and further transferring them. <br><br>Aligned with the Millennium Development Goals, Prato Cheios projects contribute to:<br> -Hunger combat;<br> -Nutritional value added to meals;<br> -Reduction of food waste;<br> -Reduction of organic residues inappropriately disposed;<br>- Development of partnerships for a sustainable socio-environment.<br><br>The main Projects of Associacao Prato Cheio are the Solidary Route Project and the Nurturing with Health Project. <br><br>The Solidary Route Project promotes access to adequate food for people in vulnerability and social risk situation through food wastage reduction and nutritional education. The Solidary Route Project is based on the safe collection of food that would be wasted and its subsequent transfer to the institutions and their beneficiaries in social vulnerability situation. Sustainable solution to responsibly dispose foods that lost commercial value but which retains their nutritional properties preserved, and industrialized that are close to expiration. It has no cost to the donor and also offers savings in disposal of waste, reduction of waste of natural resources and promotes the quality of food to needy people.<br><br><br>The Nurturing with Health Project promotes cooking workshops for cooking professionals of the institutions that are beneficiaries from Solidary Route Project and the general public. The workshops are free for charge and are held in the Faculty of Public Health - USP. <br>With 3 actions the project Nurturing with Health promotes nutritional education about:<br>-Whole Utilization of Food (utilization of non-conventional parts of the food (seeds, stems, leaves, bark);<br>-Reduction of Food Waste;<br>-Health and Safety in the Kitchen.<br><br>In 2020 more than 415 tons of food were collected and distributed to 52 institutions. This food donation provides the complementation of meals for almost 17,000 people every day. <br><br>Since the beginning of its foundation, 20 years ago, Prato Cheio has collected and distributed more than 3,300 tons of food.<br><br>In 2019 Associacao Prato Cheio offered 12 workshops for 272 cooking professionals, which are responsible for preparing the food for these vulnerable beneficiaries. And 22 courses and workshops were offered to more than 800 people in schools and companies. <br><br>With the pandemic, Prato Cheio started to offer online courses and workshops for the cooking professionals.
+
+
+
+ https://staging.giveth.io/project/Nezabutni-Charitable-Foundation
+ Nezabutni Charitable Foundation
+ We work so that every person who faces a diagnosis of dementia can receive professional help and support - informational, medical, juridical and with care. And we build a dementia friendly society in Ukraine.
+
+
+
+ https://staging.giveth.io/project/Fox-West-Theatre-Alliance
+ Fox West Theatre Alliance
+ The Fox West Theatre Alliance is organized to enrich the lives of residents of Trinidad and its visitors. It is also organized to oversee the rehabilitation efforts and manage the historic Fox West Theatre as a leading performance, educational, and gathering venue. The Alliance strives to strengthen and energize the community and to serve as a catalyst for cultural and economic growth.
+
+
+
+ https://staging.giveth.io/project/Charitable-Organization-Bright-Kids-Charity
+ Charitable Organization Bright Kids Charity
+ Bright Kids Charity is a Ukrainian grassroots organization committed to providing help to children affected by the war, as well as orphanages and hospitals. We support forcibly displaced people, disabled children, those living in contact zones and those raised in single-parent families who rely on government resources that no longer exist to survive. BKC is focused on assisting conflict-affected children with access to urgent essentials such as food, medicines, hygiene and cleaning products and helping disabled children access medical treatments. Our charity helps orphanages cover their needs in the absence of proper state funding because children living in specialized institutions should not be the forgotten victims of this war. We are determined to aid childrens hospitals with medical tools, supplies, and the medical equipment necessary to afford children the healthcare they need. Our team members are also coordinating efforts to support mothers of children with disabilities in starting a new venture to earn an income and provide for their children in war circumstances. This war affects everyone. We believe no child should be left behind. Thank you for standing with Ukraine. Every life matters, your help counts.
+
+
+
+ https://staging.giveth.io/project/Zozu-Project
+ Zozu Project
+ We break the cycle of extreme poverty by partnering with local African leaders to provide hope, education, and economic opportunity.We have three parts to our philosophy. The first is our heart for children, as they are Ugandas future. When children and their parents have hope for a future, the cycle of poverty is truly broken. As much as we are able to, we work holistically to serve the children and their families relationally, mentally, physically, and spiritually.
+
+
+
+ https://staging.giveth.io/project/Chabad-of-Sola
+ Chabad of Sola
+ Providing for the Jewish and religious needs for the greater Los Angeles community
+
+
+
+ https://staging.giveth.io/project/Ntombam-DEVELOPMENT-PROJECTS
+ Ntombam DEVELOPMENT PROJECTS
+ To restore the dignity of young girls by providing quality sanitary towels and thus reducing school absenteeism
+
+
+
+ https://staging.giveth.io/project/Instituto-Alpha-Lumen
+ Instituto Alpha Lumen
+
+
+
+
+ https://staging.giveth.io/project/Instituto-Dom-Bosco
+ Instituto Dom Bosco
+
+
+
+
+ https://staging.giveth.io/project/Cambodian-Rural-Development-Team
+ Cambodian Rural Development Team
+ Vision: "A Cambodia free of poverty and environmental degradation."<br>Mission: "To improve food security, incomes, and living standards of subsistence rural communities in support of environmental conservation throughout Cambodia.
+
+
+
+ https://staging.giveth.io/project/Atados
+ Atados
+
+
+
+
+ https://staging.giveth.io/project/Mindful-Schools
+ Mindful Schools
+ Mindful Schools vision is for all children to learn in "mindful schools" that nurture a new generation of leaders to create a more equitable and thriving world. Our mission is to empower educators to spark systemic change from the inside out by cultivating awareness, resilience, and compassionate action in their school communities.
+
+
+
+ https://staging.giveth.io/project/Obras-Sociais-Universitarias-E-Culturais
+ Obras Sociais Universitarias E Culturais
+ CEAP - Centro Educacional Assistencial Profissionalizante - is a non-governmental, non-profit organization that operates as a free vocational school, offering technical and vocational courses annually to young people aged between 10 and 18 who are in a highly socially vulnerable situation.<br><br>The courses offered are:<br><br>Complementary courses:<br> 6th Year - Basic Robotics;<br> 7th Year- Robotics and Automation;<br> 8th Year - Basic Informatics;<br> 9th Year - Applied Informatics and Creativity and Innovation.<br><br>Technical and Vocational Education:<br> Management;<br> Informatics (emphasis on programming);<br> Computer network.<br><br>In addition to technical-professional training, CEAP works directly in the human training of those assisted and since its foundation in 1985, it has developed an educational methodology that encompasses personalized education and family participation in the educational process of young people.<br><br>The organization is located in the south of Sao Paulo, located in a district that occupies the 81st position in the HDI of the 96 existing districts of SP. This fact highlights our region as the 6th worst life expectancy and the 8th largest favela in Sao Paulo.
+
+
+
+ https://staging.giveth.io/project/Make-a-Difference-Fiji
+ Make a Difference Fiji
+ Make a Difference Fiji is a registered Charitable Organization located in Pacific Harbour and was established in 2017 and registered in 2020 solely to provide philanthropic support to individuals and families in Fiji, as well as assisting Fijians needing medical treatment in India.<br>Make a Difference Fiji continues to provide assistance in six main areas; Food Security, Education, Housing, Sanitation & Hygiene, Medical Assistance and Caring for the Vulnerable and People living with Disability
+
+
+
+ https://staging.giveth.io/project/Environment-Society-of-Oman
+ Environment Society of Oman
+ To be a non-profit organisation helping to protect Omans natural heritage and influence environmentally sustainable behaviour through education, awareness and conservation
+
+
+
+ https://staging.giveth.io/project/Womens-Aid-Organisation-(WAO)
+ Womens Aid Organisation (WAO)
+ WAO opened Malaysias first Refuge for battered women and their children in 1982. WAO Vision is to create a society that is free of violence against women. The WAO mission is to promote and create respect, protection and fulfillment of equal rights for women and to work towards the elimination of discrimination against women and to bring about equality between women and men.
+
+
+
+ https://staging.giveth.io/project/Orangutan-Foundation-International-(Australia)-Limited
+ Orangutan Foundation International (Australia) Limited
+ OFIs core mission is the conservation of orangutans and the tropical rainforest that is their habitat.<br>OFI takes a holistic and comprehensive approach with multiple complementary strategies to combat the complex challenges facing orangutans and the rainforest.<br>These strategies include:<br>Create and promote awareness campaigns that disseminate knowledge and understanding of orangutans as a critically endangered species and one of humankinds closest living relatives in the animal kingdom.<br>Actively protect wild orangutans and their native habitat through land purchase, patrol teams, and building local and international support coalitions.<br>Rescue, rehabilitate, and release ex-captive and orphaned orangutans into safe and secure sites in the wild.<br>Conduct research on orangutans, their ecology, and their behaviour.<br>Promote the conservation of all endangered wildlife and habitats in Borneo and Sumatra.<br>Furthermore, OFI has a strong vision for the future that includes:<br>Ample tropical rainforest habitat that can sustain wild orangutan populations, allowing them to not only be saved from extinction but to thrive in their natural environment.<br>A galvanized public that appreciates, respects, and understands orangutans as unique and significant creatures.
+
+
+
+ https://staging.giveth.io/project/REACH
+ REACH
+ REACH is a local, Vietnamese, non-government organization specializing in vocational training and employment for Vietnams most disadvantaged youth. Our mission is to ensure that all Vietnam Youth have the opportunities and support they need to reach their full potential.
+
+
+
+ https://staging.giveth.io/project/Onkentes-Kozpont-Alapitvany
+ Onkentes Kozpont Alapitvany
+ To strengthen a society based on responsibility and participation, to promote positive social processes through the implementation of volunteer-based programs.
+
+
+
+ https://staging.giveth.io/project/Ven-da-tu-mano
+ Ven da tu mano
+ We act to improve the quality of life of patients and the most disadvantaged communities in Venezuela and the world through prevention, health promotion and social programs in order to provide quality medical care, contributing in the most effective way and efficient as possible.
+
+
+
+ https://staging.giveth.io/project/Hydrocephalus-Association
+ Hydrocephalus Association
+ HAs mission is to find a cure for hydrocephalus and improve the lives of those impacted by the condition.
+
+
+
+ https://staging.giveth.io/project/Afghanistan-Womens-Trade-Caravan-(AWTC)
+ Afghanistan Womens Trade Caravan (AWTC)
+ Vision: Afghan Women have become global exporters. <br>Mission: AWTC works to meaningfully support Afghan become traders, exporting Afghan women made products all over the world
+
+
+
+ https://staging.giveth.io/project/The-Bharath-Abhyudaya-Seva-Samithi
+ The Bharath Abhyudaya Seva Samithi
+ The Bharath Abhyudaya Seva Samithi (BASS), An Indian Progresssive Service Society, is a registered non-governmental Voluntary organization established in 1978. BASS seeks to improve the livelihoods of children, youth, women and vulnerable people include sick people, -those who are at the highest risk due to challenging socio-economic conditions. BASS works to bring relief and opportunity to rural and urban communities negatively impacted by poverty. The activities of the organization seek to promote social justice, equality and empowerment to disadvantaged peoples and victims of disasters in the Guntur district. BASS facilitates many activities including: educational, economic, social, health care and emergency relief and rehabilitation services.
+
+
+
+ https://staging.giveth.io/project/Centre-for-the-Advancement-of-Science-and-Mathematics-Education-(CASME)
+ Centre for the Advancement of Science and Mathematics Education (CASME)
+ To provide quality teacher professional development opportunities for mathematics and science education in under-resourced and rural schools in South Africa to improve learning outcomes
+
+
+
+ https://staging.giveth.io/project/ICNA-Relief-USA
+ ICNA Relief USA
+ ICNA Relief USA seeks to alleviate human suffering by providing caring and compassionate service to victims of adversities and survivors of disasters. ICNA Relief USA strives to build healthy communities, strengthen families and create opportunities for those in despair while maintaining their dignity and advocating for their basic human needs.
+
+
+
+ https://staging.giveth.io/project/Conquer-Cancer-the-ASCO-Foundation
+ Conquer Cancer, the ASCO Foundation
+ Accelerate breakthroughs in lifesaving research and empower people everywhere to conquer cancer.
+
+
+
+ https://staging.giveth.io/project/Daylight-Centre-Fellowship
+ Daylight Centre Fellowship
+
+
+
+
+ https://staging.giveth.io/project/Corals-for-Conservation
+ Corals for Conservation
+ Corals for Conservation (C4C) addresses poverty-driven coral reef decline by developing sustainable, community-appropriate enterprises designed to shift the burden away from over-used and depleted fisheries resources. C4C promotes "coral gardeners" as new profession for resorts, providing employment and added value to the industry while contributing to coral reef conservation and restoration. We recognize that if people and industry are major parts of the problem then they are also major parts of the solution.
+
+
+
+ https://staging.giveth.io/project/Cagdas-Yasami-Destekleme-Dernegi-(Association-in-Support-of-Contemporary-Living)
+ Cagdas Yasami Destekleme Dernegi (Association in Support of Contemporary Living)
+ CYDDs mission is mainly to contribute to bring Turkey to the level of contemporary civilization by being a modern secular democratic society with due respect to law and commitment to peace. Its aim is to support the modernization of society through progressive education and to contribute to achieving equal opportunity to children and youth in access to schooling and use of modern educational tools. The Association believes that modernization of Turkey can only come about by overcoming ignorance. For this reason the association has been running campaigns to increase enrollment of girls population by utilizing civil and corporate funds toward establishing scholarship programs, building and improving schools, building girls dormitories, libraries, opening classrooms for preschoolers, becoming the voice of civil citizens by staying independent of politics but also voicing opinion when deemed necessary. Special attention is placed to areas in Turkey which are economically underdeveloped and also the areas in the big cities which have received domestic migration. The 100 branches of our organization also run their own projects according to the local needs of the area they functioning mainly on subjects such as gender equality, human rights, community leadership. Activities such as giving scholars to students of low income families, supporting schools by renovating or making boarding facilities for the students or the teachers, building libraries and preschool classrooms , establishing social centers for both the children and adults. At these places activities such as informative seminars , , summer and winter schools,youth gatherings and confronces, organizing various cultural and musical events, seminars and discussion groups.
+
+
+
+ https://staging.giveth.io/project/SHARE-(NGO)
+ SHARE (NGO)
+ To Strengthen Inclusive National, Social Protection System in line with International Standards, (Comprehensive, Transparent, Equitable) thus, Ensuring Rights of All Vulnerable are met and a Decent Life for All is Promoted.
+
+
+
+ https://staging.giveth.io/project/Raising-Futures-Kenya
+ Raising Futures Kenya
+ Raising Futures Kenyas vision is a world in which all children and young people in Kenya live with dignity, opportunity and hope.<br><br>We create opportunities for vulnerable children and young people in Kenya to break the cycle of poverty and inequality and fulfil their potential.
+
+
+
+ https://staging.giveth.io/project/Journey-Church-Inc
+ Journey Church Inc
+
+
+
+
+ https://staging.giveth.io/project/Wrestle-Like-A-Girl
+ Wrestle Like A Girl
+ Our mission is to empower girls and women using the sport of wrestling to become leaders in life.
+
+
+
+ https://staging.giveth.io/project/Backup-Uganda
+ Backup Uganda
+ Backup Ugandas mission is to promote and provide individual attention for learners in Uganda, particularly for learners with learning challenges.
+
+
+
+ https://staging.giveth.io/project/North-County-Lifeline
+ North County Lifeline
+ North County Lifeline’s mission is to build self-reliance among youth, adults, and families through high-quality, community-based services.
+
+
+
+ https://staging.giveth.io/project/Twilight-Wish-Foundation
+ Twilight Wish Foundation
+ The mission of Twilight Wish is to honor and enrich the lives of seniors through intergenerational Twilight Wish celebrations. Our vision is to make this world a nicer place to age, one Twilight Wish at a time.
+
+
+
+ https://staging.giveth.io/project/Great-Lakes-Center-for-the-Arts
+ Great Lakes Center for the Arts
+ To inspire, entertain, educate, and serve all in Northern Michigan, year-round, by presenting exceptional experiences across the full spectrum of the performing arts and offering impactful educational opportunities
+
+
+
+ https://staging.giveth.io/project/Baptist-Hospitals-of-Southeast-Texas
+ Baptist Hospitals of Southeast Texas
+ The Baptist Hospitals of Southeast Texas Foundation exists to support the Sacred Work of Baptist Hospitals of Southeast Texas.
+
+
+
+ https://staging.giveth.io/project/Lifesavers-Wild-Horse-Rescue
+ Lifesavers Wild Horse Rescue
+ We are dedicated to saving wild and domestic horses from abuse, neglect, and slaughter.
+
+
+
+ https://staging.giveth.io/project/Military-Order-of-the-Purple-Heart-Service-Foundation
+ Military Order of the Purple Heart Service Foundation
+ Our mission is to holistically enhance the quality of life of all veterans and their families, providing them with direct service and fostering an environment of comradery and goodwill among combat wounded veterans.
+
+
+
+ https://staging.giveth.io/project/Food-Lifeline
+ Food Lifeline
+ Feed people experiencing hunger today, while working to solve hunger for tomorrow.
+
+
+
+ https://staging.giveth.io/project/Junior-Achievement-of-Arizona
+ Junior Achievement of Arizona
+ We exist to prepare AZ youth to succeed in work and life.
+
+
+
+ https://staging.giveth.io/project/Animal-Spay-and-Neuter-International
+ Animal Spay and Neuter International
+ TO PROMOTE HUMANE BEHAVIOUR TOWARDS ANIMALS IN IMPOVERISHED REGIONS OF THE WORLD BY:<br>A) PROVIDING FREE STERILIZATION OF CATS AND DOGS BY A QUALIFIED VETERINARY TEAM<br>B) TRAINING LOCAL VETERINARY SURGEONS IN KEYHOLE STERILIZATIONS PROCEDURES AND OTHER SUCH TECHNIQUES WHICH HELP TO ADVANCE THE ORGANISATIONS CAUSE AND INCREASE ANIMAL WELFARE<br>C) DELIVERING EDUCATION TO THE GENERAL PUBLIC ON THE IMPORTANCE OF STERILIZATION AND ANIMAL WELFARE
+
+
+
+ https://staging.giveth.io/project/San-Diego-Zoo-Wildlife-Alliance
+ San Diego Zoo Wildlife Alliance
+ San Diego Zoo Wildlife Alliance is committed to saving species worldwide by uniting our expertise in animal care and conservation science with our dedication to inspiring passion for nature.
+
+
+
+ https://staging.giveth.io/project/Sustentate-NGO
+ Sustentate NGO
+ Achieve the empowerment of socio-economically vulnerable communities so that they take charge of their own sustainable development and that it lasts over time. We do this through educational projects that transfer tools and encourage the development of skills necessary for life, such as critical thinking, logical thinking, developing ideas and other skills associated with the STEM.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Environment
+ Friends of the Environment
+ To preserve the environment of Abaco, The Bahamas through education, conservation, and research facilitation.
+
+
+
+ https://staging.giveth.io/project/Enlace-Distrofia-Muscular-Duchenne-Backer-AC
+ Enlace Distrofia Muscular Duchenne Backer AC
+ Our mission is to provide comprehensive health care, as well as emotional and spiritual support for patients with Duchenne or Becker muscular dystrophy and their families, improving their quality of life; involving parents, doctors, volunteers and society in our organization. <br><br>Enlace Distrofia Muscular Duchenne Becker is a legally incorporated, non-profit organization serving the state of Chihuahua in Mexico. We are the only organization providing optimal medical care as well as emotional and spiritual support for Duchenne/Becker muscular dystrophy patients and their families. For the last 21 years, our organization has been developing and improving a unique model to serve Duchenne/Becker muscular dystrophy patients. During that time, we have served approximately 155 boys and young men affected by Duchenne/Becker muscular dystrophy and their families. No private of public hospital in Northern Mexico provides the specialized care needed by our patients, this is why our services include access to healthcare professionals and specialized medical care (Neurology, Cardiology, Pulmonary, Orthopedics, Physical Therapy, Endocrinology, Nutrition and Physiology); medications, X-Rays, laboratory work, surgeries, genetic testing and diagnosis. We also provide our patients and their families with psychological and end-of life counseling services, and medical equipment such as electric wheelchairs, respiratory ventilators, pacemakers, and transportation in a wheelchair accessible vehicle to and from doctors and medical appointments.
+
+
+
+ https://staging.giveth.io/project/Computers-2-Kids
+ Computers 2 Kids
+ The COVID-19 Pandemic shone a spotlight on the digital disparity facing many of our nations children. C2K is a national leader in bridging the digital divide, ensuring all children and their families have equal access to technology and the crucial educational, occupational, and financial resources that technology can provide to improve their educational options and their futures. Each family served receives a system, free technical support, and lifetime system replacement, ensuring that the entire family can access job and school-related opportunities for the next ten years. Beyond our core mission of helping kids and their families, we also address the environmental problem that discarded computers create upon disposal.
+
+
+
+ https://staging.giveth.io/project/ArtsQuest-Foundation
+ ArtsQuest Foundation
+ The ArtsQuest Foundation is a non-profit Pennsylvania corporation founded in 2002 for the purpose of supporting ArtsQuest and the thousands of artistic, cultural and educational experiences offered by ArtsQuest.
+
+
+
+ https://staging.giveth.io/project/The-Shelter-for-Abused-Women-Children
+ The Shelter for Abused Women Children
+ Leading and collaborating with the community to Prevent, Protect and Prevail over domestic violence and human trafficking.
+
+
+
+ https://staging.giveth.io/project/Fundacion-JUCONI-Mexico-AC
+ Fundacion JUCONI Mexico, AC
+ The JUCONI Foundation mission is developing, implementing and sharing effective solutions for socially excluded children, young people and families affected by violence.
+
+
+
+ https://staging.giveth.io/project/Indian-Dreams-Foundation
+ Indian Dreams Foundation
+ Vision:<br><br>"A healthy, educated and developed society".<br><br>Mission<br><br>Our mission is what we work towards achieving every single day at grass root level to eradicate illiteracy and gender discrimination in underprivileged communities by educating them and making them aware of the society.
+
+
+
+ https://staging.giveth.io/project/Griot-Arts-Inc
+ Griot Arts Inc
+ Griot Arts empowers young people in Clarksdale, Mississippi to create positive change in their lives and community by providing access to opportunities in the arts, education, and workforce development.
+
+
+
+ https://staging.giveth.io/project/Indigenous-Women-Rising
+ Indigenous Women Rising
+ Indigenous Women Rising is committed to honoring Native & Indigenous People’s inherent right to equitable and culturally safe health options through accessible health education, resources and advocacy.
+
+
+
+ https://staging.giveth.io/project/Scottsdale-Artists-School
+ Scottsdale Artists School
+ Scottsdale Artists’ School is dedicated to the artistic enrichment of the community and to developing the capabilities of artists and aspiring artists of all ages by teaching the applied fundamentals of fine art.
+
+
+
+ https://staging.giveth.io/project/University-of-Colorado-Foundation
+ University of Colorado Foundation
+ We receive, manage and prudently invest private support for the benefit of the University of Colorado and support the University’s philanthropic endeavors through donor stewardship.
+
+
+
+ https://staging.giveth.io/project/Associacao-Native-Scientist
+ Associacao Native Scientist
+ Broaden the horizons and spark interest in science of underserved children through science outreach educational programmes
+
+
+
+ https://staging.giveth.io/project/Austin-Street-Center
+ Austin Street Center
+ Austin Street Center provides safe shelter and meets the basic needs of the most vulnerable homeless.
+
+
+
+ https://staging.giveth.io/project/Head-Royce-School
+ Head-Royce School
+ The mission of the Head-Royce School is to inspire in our students a lifelong love of learning and pursuit of academic excellence, to promote understanding of and respect for the diversity that makes our society strong, and to encourage constructive and responsible global citizenship.
+
+
+
+ https://staging.giveth.io/project/Women-in-Distress-of-Broward-County-Inc
+ Women in Distress of Broward County, Inc
+ Our mission is to stop domestic violence abuse for everyone through intervention, education and advocacy.
+
+
+
+ https://staging.giveth.io/project/Wild-Tomorrow-Fund
+ Wild Tomorrow Fund
+ Wild Tomorrow Fund is dedicated to the protection of threatened and endangered species and the habitats they depend on for survival. We are creating a wildlife corridor for elephants, rhinos and other threatened species in South Africa to give them a fighting chance against extinction, and communities a better quality of life.
+
+
+
+ https://staging.giveth.io/project/The-Bhutan-Foundation
+ The Bhutan Foundation
+ To support the people of Bhutan to reach their full potential by developing local capacity and facilitating global support.
+
+
+
+ https://staging.giveth.io/project/Scholars-of-Sustenance-Thailand
+ Scholars of Sustenance Thailand
+ Scholars of Sustenance Foundation<br>a food rescue foundation<br><br>Our mission is to increase food security through the strategic reduction of food surplus.<br><br>At SOS we feel food insecurity and waste are two of the most pressing societal and environmental issues that the world faces. We aim address them by providing the logistics to manage surplus food before it goes to the landfill, and instead ensure it goes to its intended purpose and most meaningful end. <br><br>SOS delivers 1,000s of meals a day and reduces food waste in SE Asia through simple programs in which food is picked up at hotels, grocery stores, farms, and producers, then delivered directly to communities in need at no charge.
+
+
+
+ https://staging.giveth.io/project/Mamas-en-accion
+ Mamas en accion
+ Mamas en Accion" is a community of people who accompany and give love to children who do not have parents or cannot live with them, when they are sick and alone in hospitals.
+
+
+
+ https://staging.giveth.io/project/Lilipad-eV
+ Lilipad eV
+ We empower children in vulnerable communities by fostering education. To accomplish this, we build long-lasting partnerships with local institutions and organisations, and provide them with books, educational materials, and support.
+
+
+
+ https://staging.giveth.io/project/Community-Foundations-Australia
+ Community Foundations Australia
+ To grow community foundations for a fairer Australia.
+
+
+
+ https://staging.giveth.io/project/Beacon-Foundation
+ Beacon Foundation
+ To influence the attitudes and culture of Australians, so that each young person develops an independent will to achieve personal success through gainful activities, for themselves and their community. Through self help and enterprise we aim to achieve our vision at the community level.
+
+
+
+ https://staging.giveth.io/project/Cooperacion-Comunitaria-AC
+ Cooperación Comunitaria AC
+ We seek to improve the habitability conditions as well as promote resilience of indigenous, rural communities in Mexico by facilitating a sustainable self-management of the social, economic and environmental factors for rural development. We employ holistic approaches that recover traditional knowledge and improve the relationship between society and nature.
+
+
+
+ https://staging.giveth.io/project/ROSI-foundation(Rural-organising-for-social-improvement)
+ ROSI foundation(Rural organising for social improvement)
+ Creation of a free society without existing exploitation, oppression and deprivations between people to people in the name of caste, creed, religious, color, gender and race through sustainable empowerment of community / concern people on gender, human rights, economic, environment, traditional and cultural rights" is VISION<br><br>"Rights and development of Dalit, Tribe, women, children, aged, widows and other disadvantaged people " is main objective
+
+
+
+ https://staging.giveth.io/project/Red-PaPaz
+ Red PaPaz
+ Red PaPaz is a NGO that encompasses a network of parents and caregivers. This network seeks to promote skills for the protection of Colombian children and adolescents rights, through relevant actions based upon evidence and good practices.
+
+
+
+ https://staging.giveth.io/project/Police2Peace
+ Police2Peace
+ To unite police departments and communities around programs that uplift and heal them.
+
+
+
+ https://staging.giveth.io/project/ECPAT-Taiwan
+ ECPAT Taiwan
+ About Us & Mission<br>Since its inception in 1994, ECPAT Taiwan has worked relentlessly in preventing child sexual exploitation and trafficking, as well as championing child rights and online safety. Our founder, Mrs. Ruth Kao, who devoted herself to saving sexually exploited children from 1985, set up ECPAT Taiwan on March 31, 1994 to push for pre-emptive actions against child sexual exploitation and promote the United Nations Convention on the Rights of the Child, in the hope of garnering public support to provide the traumatized child the ability and opportunity to "soar high on wings of eagle". <br><br>Targets<br>1. Victims of child sexual exploitation<br>2. Female victims of human trafficking<br>3. Children, parents and teachers concerned with online safety
+
+
+
+ https://staging.giveth.io/project/Community-Carbon-Trees-Costa-RIca
+ Community Carbon Trees- Costa RIca
+ We create seed collection networks within rural communities and capacitate families including women and children to produce the tree saplings. We use sponsorship money to buy the saplings, transport them to participating family farm owned by a Costa Rican family. We pay workers to plant the trees and build protective fences. For 4 years afterwards, we return to chop grasses and maintain the trees until they reach safe height for survival. We return to each family farm once a year and prescribed times, we allow the family to harvest some lumber through the thinning process. The family can collect all fruits. Our plantings are highly diverse native species. We also engage in regular education porgrams around Costa Rica and the globe through building networks fo special tree friends. Our Mission is to create win win win relationships among people who want to offset their carbon footprint and thereby share their resources with those struggling to live with the remaining rainforest on their land. Giving local people alternative income streams long term by planting valuable lumber within each project teaches and empowers locals to plant trees for cutting instead of illegally cutting the rainforest. Planting trees in high diversity insures protection of flora andf fauna and watersheds.
+
+
+
+ https://staging.giveth.io/project/Friends-Womens-Association
+ Friends Womens Association
+ Friends Womens Association, FWA, is a grass-roots organization in Burundi, addresses the needs of women in conflict, poverty, HIV/AIDS, and sexual violence. The FWA health care clinic focuses on treating both physical and psycho-social needs. FWA provides a comprehensive health care to women and their families, to promote womens leadership and autonomy and to strengthen peace and solidarity in Kamenge, a slum in Bujumbura and in other communities of Burundi.
+
+
+
+ https://staging.giveth.io/project/World-Vision-International-in-Vietnam
+ World Vision International in Vietnam
+ World Vision International Vietnam (WVI-Vietnam) is a relief, development and advocacy organization working to improve the quality of life of people, especially children, who are marginalized and living in poverty. This mission statement describes the core guiding principles and organizational values. World Vision International in Vietnam helps the most vulnerable in need regardless of their religion, race, ethnicity, or gender.
+
+
+
+ https://staging.giveth.io/project/Lowell-Parks-and-Conservation-Trust-Inc
+ Lowell Parks and Conservation Trust, Inc
+ To improve the quality of life for the people of Lowell through education and through the creation, conservation, and preservation of parks, open spaces, and special places.
+
+
+
+ https://staging.giveth.io/project/RWANDAN-YOUTH-DEVELOPMENT-AND-VOLUNTARY-ORGANIZATION
+ RWANDAN YOUTH DEVELOPMENT AND VOLUNTARY ORGANIZATION
+ Our mission is to improve health inequalities by addressing social determinants. <br>RWAYDAVO is dedicated to improve the life standards of underprivileged, unrepresented and underestimated community for development.
+
+
+
+ https://staging.giveth.io/project/Bethany-Vision-Nepal
+ Bethany Vision Nepal
+ To rescue and care for abused, oppressed and abandoned children within the context of family.
+
+
+
+ https://staging.giveth.io/project/Ombetja-Yehinga-Organisation
+ Ombetja Yehinga Organisation
+ The Ombetja Yehinga Organisation(OYO) is a Namibian Trust (T109/09) that uses the Arts to create social awareness. All our projects have an Art component (dance, drama, films, publications), all address a social issue (including HIV, teenage pregnancy, gender-based violence, anti-bullying). Most of our projects are in school but we also work with offenders in correctional facilities.<br><br>OYO believes that children and teenagers need to be reached more than once (to reinforce messages), using exciting mediums (to stimulate their attention) with simple, yet strong messages (to impact on their attitudes and behaviours). OYO suggests interventions to start a dialogue with the schools (whereby schools are recipient of an activity), followed by interventions at school level (under the form of a campaign where schools have to take a stand and become actively involved in the process). OYO believes that children and teenagers have the answer. All we need is to unlock their creativity. <br><br>Among others, OYO has:<br> Created the OYO dance troupe. This is the first and currently only troupe in Namibia employing dancers as performers. The troupe has reached over 200,000 children in schools so far, performing a vast repertoire. <br> Produced various DVDs. Most DVDs are used in schools during evening sessions with learners, triggering discussion and challenging norms. Salute is the first DVD produced in Namibian Correctional Facilities with inmates, telling their stories. Other DVDs include Kukuri on child marriage, pap and milk on sugar daddies (inter-generational sex) and the mini-series my best interest on childrens rights.<br> OYO has worked with numerous out-of-school youth groups in many parts of the country, produced various drama and photographic exhibititons (including the caring Namibian man and still life) and supported various school clubs and girls camps. <br><br>OYO uses the Arts because the Arts dont appeal to your intellect but to your feelings. It makes you feel and once you feel, you start reflecting. Programs appealing to your intellect provide you with knowledge, but the Arts, appealing to your feelings, impact your choices and subsequently influence your attitude and behavior. <br><br>Some of our projects include: <br> The San matter project: The rationale for San Matter Phase I was that only 67 percent of San children in the country enroll in school. And only 1 percent of those children complete secondary school. (OSISA Group report "Rethinking Indigenous Education,"). One of the reasons for the high drop out of San children from the education sector is linked to cultural bullying in schools. Since 2016 OYO implements an anti-cultural bullying project in twenty four schools across two regions of Namibia. Activities include intervention by the OYO dance troupe, training of the local out-of-school youth group, implementation of San girls camps, organisation of the San School friendly competition once every second year. Over 88% of the San children involved in the project have re-enrolled in schools in 2019. <br> The growing strong in the Karas region: Since 2006, OYO has been supporting various youth groups, training them in the arts of drama, dance and songs and creating shows of social significance with them. In 2008, OYO established its OYO dance troupe. OYO is now developing packages involving both the dance troupe and youth groups working on the same issue from two different angles and visiting the same schools to reinforce messages. <br> The In and out project: this is project to work with inmates (called offenders in Namibia) in correctional facilities on issues around HIV and Sexual and Reproductive Health. In a country where sodomy is still criminalised, offenders do not have access to condoms. Together with offenders OYO works towards addressing their needs, wants and fears and encourages them to know their status. Over 600 inmates have been tested as part of the project. <br><br>"OYOs application of the performing and visual arts in a highly participatory and learner centred pedagogy represents a model of excellence and best practice." <br>Hon. Nangola Mbumba MP, then Minister for Education, September 2009 (now Vice President of the Republic of Namibia)
+
+
+
+ https://staging.giveth.io/project/World-Vision-Armenia-Child-Protection-Foundation
+ World Vision Armenia Child Protection Foundation
+ The Foundations mission is to render humanitarian assistance to poor and needy people in Armenia.<br>The main objectives of the Foundation are as follows:<br>To contribute and promote child well-being in Armenia;<br>To work with the poor and oppressed to promote human transformation and eliminate poverty; <br>To support transformation development that is community-based and sustainable, focused especially on the needs of children;<br>To support national and local government bodies in improving child protection systems and structures; <br>To promote environment where children have positive and peaceful relationship with their families and communities; <br>To promote adolescent education and life-skills;<br>To implement educational, health, social, cultural and other child-oriented programs, professional trainings and other activities addressing the needs of children and youth throughout of Armenia;<br>To promote social entrepreneurship model in Armenia; <br>To solicit, provide and distribute humanitarian assistance and gifts;<br><br>Potential beneficiaries of the Foundation are:<br>Children living in Armenia and Artsakh;<br>Children and parents living in vulnerable circumstances; <br>Institutions and legal entities (governmental and non-governmental) providing services to <br>children at community and national level; <br>Local partner organizations which contribute to child well-being in Armenia.
+
+
+
+ https://staging.giveth.io/project/Affecto-Foundation
+ Affecto Foundation
+ Affecto foundations core mission is that of rescuing students who come from poor and disadvantaged backgrounds but perform well in their Primary school leaving examinations.<br><br>These children have missed out to access secondary education, because there was no money for school fees or transport to school, or they faced irregularities within the education system.
+
+
+
+ https://staging.giveth.io/project/Family-Connection-Foundation
+ Family Connection Foundation
+ 1. To support and encourage strong and healthy families that are caring, loving, and nurturing<br><br>2. To work in cooperation with Government agencies and private organizations to prevent and alleviate all types of social problems in Thai society<br><br>3. To create institutions and training opportunities for the advancement of ethics, religion, and morality in order to develop good leaders<br><br>4. To assist children, youth, and teenagers by supporting education, sports, art, music, literature, and other educational opportunities<br><br>5. To establish counseling centers in order to counsel and advice dealing with social problems. For example - family problems, relationship issues, drug and alcohol addictions, etc.<br><br>6. To be a benefit to Thai society through active partnership and cooperation with other foundations and entities.<br><br>7. To work exclusively on social issues with absolutely no involvement in politics or through political action
+
+
+
+ https://staging.giveth.io/project/Twende
+ Twende
+ Our mission is to empower people to design & make their own technologies that solve community challenges in Tanzania.<br><br>Our vision is to catalyze a world with more local solutions to local challenges.
+
+
+
+ https://staging.giveth.io/project/Japan-Emergency-NGO-(JEN)
+ Japan Emergency NGO (JEN)
+ We put our utmost efforts into restoring a self-supporting livelihood both economically and mentally to those people who have been stricken with hardship due to conflicts and disasters. We do so promptly, precisely, and flexibly by fully utilizing local human and material resources, considering this the most promising way to revitalize the society.
+
+
+
+ https://staging.giveth.io/project/Good-News-Project-Inc
+ Good News Project, Inc
+ Vision: Be the Good, for the Environment and Each Other<br><br>Mission: Fulfilling needs at home and abroad through meaningful service opportunities.. Our donors are individuals, businesses and Foundations and are primarily located in the U.S.
+
+
+
+ https://staging.giveth.io/project/International-Consortium-of-Investigative-Journalists-Inc
+ International Consortium of Investigative Journalists, Inc
+ To show people how the world really works through stories that rock the world; forcing positive change.
+
+
+
+ https://staging.giveth.io/project/Fundacion-INVAP
+ Fundacion INVAP
+ We promote, organise and sponsor projects that contribute to developing local technological capacity, through synergy with public and private sector actors. Based on this capacity, we contribute to the design of policies and programs aimed at improving the quality of life of our community, generating technological links, promoting science and technology literacy and knowledge, and we promote the creation of technology and science based companies.
+
+
+
+ https://staging.giveth.io/project/War-Child-Holland
+ War Child Holland
+ We believe no child should be part of war. Ever. Children have the right to grow up in peace, free from fear and violence. To develop their full potential and become the person they want to be. War Child is committed to improve life of hundreds of thousands children in conflicted areas. War Child helps them to process their intense experiences, dare to reconnect with other children again and build self-confidence. They ensure that they learn how to read, write, count and learn a trade. Besides that, they create a safe environment where children can build a stable and above all, peaceful future. War Child does this worldwide. From Colombia to Afghanistan. Not because they like it that much. But because children are entitled to it. That is why they offer psychosocial support, education and protection to refugee and vulnerable children in fourteen countries. Because every child is entitled to a place where they can play safely, learn and recover from all misery.
+
+
+
+ https://staging.giveth.io/project/youth-for-homeland-(YFH)
+ youth for homeland (YFH)
+ YFH works to provide programs and projects aimed at the development of society & provide emergency response and urgent relief in partnership with government agencies and local and international civil society organizations as well as a focus on youth by working on development and giving them the skills to enable them to improve their life as the YFH seeks to develop YFHs team through build the capabilities to develop and improve the performance as well ...
+
+
+
+ https://staging.giveth.io/project/Angola-Hunger-Relief
+ Angola Hunger Relief
+ Our mission is to combat food insecurity, promote equitable access to nutritious food, and contribute to the well-being and development of communities by ensuring that no one goes hungry. Our specific objectives are: Food distribution; Nutritional support; Advocacy and education; Sustainability and self-sufficiency; Collaboration and partnerships. We seek to educate Angolans society and the way they view the notion of solidarity by empowering them with suitable strategies to eradicate hunger. We want to actively instil hope in communities across the country.
+
+
+
+ https://staging.giveth.io/project/Mind-in-the-City-Hackney-and-Waltham-Forest
+ Mind in the City, Hackney and Waltham Forest
+ Part of the Mind network, Mind in the City, Hackney and Waltham Forest is an independent mental health charity providing support for local people. <br><br>We wont give up until everyone experiencing a mental health problem gets both support and respect. <br><br>We provide advice and support to empower anyone experiencing a mental health problem. We campaign to improve services, raise awareness and promote understanding. <br><br>We work in partnership with our clients and partners to provide the best possible services to people experiencing mental health problems. We develop innovative quality services which reflect expressed need and<br>diversity. We quickly adapt to the radical changing external environment and expand our services to other related client groups.<br><br>Fair: We strive for equity- no-ones needs should go unmet. <br>Brave: We walk with people, offering help by doing what works - proven or new. <br>Connected: Creating a compassionate and supportive community.
+
+
+
+ https://staging.giveth.io/project/Voluntary-Service-of-Armenia-Republican-Headquarters-of-Student-Brigades
+ Voluntary Service of Armenia - Republican Headquarters of Student Brigades
+ The essential aims of HUJ in Armenia are to take care for children with various problems, orphans, children with special needs, handicapped people, refugees and socially vulnerable young people, preservation of cultural and historical sights, protection of environment, natural reservations.
+
+
+
+ https://staging.giveth.io/project/rubicon-e-V
+ rubicon e V
+ Concisely, rubicon e. V. aims to address both the individual and social challenges faced by the marginalized lesbian, gay, bisexual, trans*, intersex* and queer identifying persons and to demand, promote and facilitate interactions with heteronormative structures and stakeholders, in order to defend human rights and to reduce violence and discrimination. rubicon works towards a just society where gender and sexual diverse people live self-confidently and love freely.
+
+
+
+ https://staging.giveth.io/project/Nativity-of-the-Theotokos-Greek-Orthodox-Monastery
+ Nativity of the Theotokos Greek Orthodox Monastery
+ The Sisterhood maintains a life dedicated to God and prayer. The heart of the unceasing life of prayer is centered on the Prayer of the Heart, the Jesus Prayer: “Lord Jesus Christ have mercy on me”. While living a Christ-centered life, the Sisters missionize, reaching out to help people in many ways, serving as a witness to the Eastern Orthodox faith.
+
+
+
+ https://staging.giveth.io/project/Child-Rescue-Coalition
+ Child Rescue Coalition
+ Child Rescue Coalition rescues children from sexual abuse by providing technology to law enforcement, FREE OF CHARGE, to track, arrest and prosecute child predators.
+
+
+
+ https://staging.giveth.io/project/Brave-Church
+ Brave Church
+ NULL
+
+
+
+ https://staging.giveth.io/project/All-Out-Africa-Foundation
+ All Out Africa Foundation
+ Change lives in southern Africa in order to elevate the well-being of humanity and the planet. <br>To do this we implement projects that improve education, reduce hunger, alleviate poverty, advance research, strengthen health, promote understanding and conserve terrestrial and marine biodiversity.
+
+
+
+ https://staging.giveth.io/project/B2Theworld-Inc
+ B2Theworld, Inc
+ B2THEWORLD is a global partnership of Christians that foster transformative education in countries recovering from war. Our vision is fullness of life for the future of every child impacted by war.<br>By leveraging the power of education, we combat the generational impacts of war.
+
+
+
+ https://staging.giveth.io/project/Moroccan-Center-for-Polytechnic-Research-and-Innovation-CMRPI
+ Moroccan Center for Polytechnic Research and Innovation- CMRPI
+ The activity of the Moroccan Center for Polytechnic Research and Innovation is largely linked to that of applied research in the field of high technologies. CMRPI is also in close contact with state services and agencies. However, CMRPI offers learned and academic society, for the genesis and dissemination of ideas, a channel separate from industry and government. This will make the results, knowledge and skills of research usable or marketable.<br>Through the means of expression offered to its members, whether academics, experts, researchers, engineers or students, CMRPI enables them to publicize their work, their points of view, their productions or their aspirations.<br>CMRPI contributes to the training and awareness of businesses and citizens on the risks of new technologies including the Internet.
+
+
+
+ https://staging.giveth.io/project/vzw-De-Veerkracht
+ vzw De Veerkracht
+ The non-profit organization De Veerkracht provides extra resources by organizing activities such as a chocolate sale, pasta day, car wash, flea market, Christmas concert.... The proceeds of these activities go entirely to the children of the institution Boarding School/IPO De Veerkracht. This in the form of extra resources such as sports equipment (trampoline, go-carts, bicycles, ...) or play equipment. Trips to amusement parks, festivals and sports activities are also financed with this. The children always receive a gift from the non-profit organization for birthdays, Sinterklaas and Santa Claus. Large projects, such as large playground equipment, can also be funded by the non-profit association
+
+
+
+ https://staging.giveth.io/project/Raise-Your-Voice-Saint-Lucia-Inc
+ Raise Your Voice Saint Lucia Inc
+ To advocate for and on behalf of victims of gender based violence and for improvements within the Social, Judicial and Public Systems that affect women and children.
+
+
+
+ https://staging.giveth.io/project/Sawa-Together-Today-and-Tomorrow
+ Sawa Together Today and Tomorrow
+ Sawa is a leading Palestinian organization dedicated to providing support, protection and social counseling for survivors of violence. Sawa aims at spreading a culture of non-violence and gender equality in Palestinian society through confidentially helping, counseling and supporting violence victims. We and our community partners stand for an enhanced social wellbeing, based on values of humanity and gender equality, through a set of differentiated services to combat all types of violence, abuse and neglect practiced against women and children.
+
+
+
+ https://staging.giveth.io/project/Kardias-AC
+ Kardias AC
+ Kardias was founded in 2000 with the concern to improve the quality of comprehensive care of children with congenital heart disease, led by Dr. Alexis Palacios Macedo, Pediatric Cardiovascular Surgeon. <br><br>Dr. Palacios Macedo had trained as a Fellow of Dr. Charles Fraser in Texas Childrens Hospital, and wanted to replicate the best practices he learned back to Mexico. <br><br>He started as chief of surgeon in the Pediatric Cardiovascular Surgery Program of the National Institute of Pediatrics (INP). Here he became keenly aware of all the needs that the hospital needed in order to improve the reach and outcomes. <br><br>This is when Kardias was born, to help fundraise to fill the gap between what was available and what we needed to try and replicate best practices around the world. <br><br>Understanding the concept of a dedicated team, the same group of specialized doctors working together all the time, was a mayor and disruptive innovation that Dr. Palacios Macedo started to replicate. <br><br>Along the same line the need for a cardiovascular intensive care unit, against the concept of a pediatric intensive care unit, was also a mayor accomplishment. <br><br>In 2003, in collaboration with the "Heart Center" of Texas Childrens Hospital (TCH) began the Training and Development Program to health professionals of the division of Cardiovascular Surgery of the INP.<br><br>Over the years, the cardiovascular division of the INP has been strengthened with infrastructure and training. In 2009, the Cardiovascular Intensive Care Unit (UCICV) of this institute was inaugurated, significantly improving the care of patients with congenital heart disease who undergo surgery.<br><br>However the program hit a wall in terms of improvement in outcomes in mortality rates, because of the limitations and bureocracy in INP. <br><br>Because of this we designed an innovative program with the best Mexican private hospital, ABC. In Mexico it is very difficult, and not common to have a high speciality division in a private hospital, because the volume of patients can be found only in public sector. It is estimated that only 5%-7% of population has private insurance. <br><br>This is where Kardias contributes, channel and pay for patients from a vulnerable population, in the private hospital. The benefits of this collaboration are twofold. Offering patients from without resources the best posible care they can receive. And allowing the ABC hospital have a Heart Center, so that in Mexico we can offer the best care available with world wide standards. <br><br>The collaboration agreement with the ABC Medical Center, in 2012, it initiated a pediatric cardiovascular surgery program to care for vulnerable patients from the INP and the government hospitals of Mexico City.<br><br>Today, Kardias has performed a total of 2,789 surgeries, of which 396 were carried out in the ABC and 2,393 in the INP.
+
+
+
+ https://staging.giveth.io/project/Generation-for-change-and-Development
+ Generation for change and Development
+ GENCADs vision is to be an exemplary organisation that contributes to the socio-economic development of pastoralist communities in the Horn of Africa. <br><br>Pastoralist communities experience extreme poverty, lack of education, political and economic marginalization in the Horn of Africa. GENCADs mission is to increase their access to educational opportunities, health services, and to empower these communities to actively participate in and take ownership of their socio-economic development.
+
+
+
+ https://staging.giveth.io/project/Sacred-Learning-NFP
+ Sacred Learning NFP
+ Sacred Learning focuses on Islamic spiritual development in a manner consistent with the example of the Prophet Muhammad (p).
+
+
+
+ https://staging.giveth.io/project/Voices-for-Children
+ Voices for Children
+ Voices for Children transforms the lives of abused, abandoned, or neglected children by providing them with trained, volunteer Court Appointed Special Advocates (CASAs).
+
+
+
+ https://staging.giveth.io/project/Foodbank-of-Southeastern-Virginia-and-the-Eastern-Shore
+ Foodbank of Southeastern Virginia and the Eastern Shore
+ Leading the effort to eliminate hunger in our community. Since 1981, the Foodbank of Southeastern Virginia and the Eastern Shore, a member of Feeding America™ and the Federation of Virginia Food Banks, has been providing food for people experiencing food insecurity throughout Southeastern Virginia and on the Eastern Shore.
+
+
+
+ https://staging.giveth.io/project/Tiljala-Society-for-Human-and-Educational-Development
+ Tiljala Society for Human and Educational Development
+ *to bring sustainable change in the lives of urban and rural poor in and around Kolkata, India through participatory governance *to bring sustainable development in health, nutrition, education and the protection of children, adolescents and women in need *to restore the basic human rights of children through social participation, community awareness, advocacy at the policy making level and also through direct welfare activities *to sensitize people in India and abroad to take responsibilities for the neglected and motivate them to combat the challenges through cohesive action and sponsorship *to sensitise, organise and mobilise marginalised groups into cohesive bodies *to network and create effective links between media & civil society and the target groups
+
+
+
+ https://staging.giveth.io/project/Transforming-Community-for-Social-Change
+ Transforming Community for Social Change
+ Promoting peace and reconciliation in western Kenya and beyond.
+
+
+
+ https://staging.giveth.io/project/Green-World-Foundation
+ Green World Foundation
+ Encourage the general public to preserve the nature and the environment. <br>Support research on and public information about nature conservation. <br>Operate for the public benefit or partner with other foundations that do not become involved in politics.
+
+
+
+ https://staging.giveth.io/project/Urantia-Foundation
+ Urantia Foundation
+ The mission of Urantia Foundation is to seed The Urantia Book and its teachings globally.
+
+
+
+ https://staging.giveth.io/project/Khoj-Society-for-Peoples-Education
+ Khoj-Society for Peoples Education
+ Our mission is to work with the underserved communities, with a special focus on women and children, achieve major improvements in their lives. To this end, Khoj will work using innovative methodologies direct with the communities, and with local and international partners who share our vision, to create just and peaceful societies where the disadvantaged people, especially women and children, can exercise their fundamental rights
+
+
+
+ https://staging.giveth.io/project/International-Blue-Crescent-Relief-and-Development-Foundation
+ International Blue Crescent Relief and Development Foundation
+ The IBC, International Blue Crescent Relief and Development Foundation was founded in 1999 to provide input in improving the lives of the people suffering, especially the most disadvantaged section of the world population and this initiative turned into foundation, which is officially registered to Turkish Laws and Regulation as NGO permitted for international activities with registration number 4820.<br><br>IBCs strengths upon three core elements;<br><br>- General Assemblys and Board of Directors vision embracing all human beings without discrimination and awareness of the necessity for the civil society to actively contribute in the healthy development of the society itself.<br><br>- Existing cooperation schemes with local, national and international actors and the willingness to improve and enlarge these ties.<br><br>- IBCs organizational structure characterized by transparency and accountability, flexibility, open to communication and cooperation, functional and cross-functional working and considerable autonomy in decision-making.<br><br>In the years, with the aim and intention to increase its effectiveness internationally, IBC became a member of ICVA International Council of Voluntary Agencies having its headquarters in Geneva on April 2003. On the 13th General Assembly held on March 2006, IBC was elected to the Board of Directors of the organization. IBC has applied to UN Economic and Social Council to have Special Consultant Status in order to contribute to the work of ECOSOC and its subsidiary bodies in cooperation with other NGOs. The Economic and Social Council (ECOSOC) serves as the central forum for discussing international economic and social issues, and for formulating policy recommendations addressed to Member States and the United Nations system. "The Special Consultative Status with the Economic and Social Council of the United Nations" of IBC has been approved on July 2006.
+
+
+
+ https://staging.giveth.io/project/Mama-Africa-The-Voice-Uganda
+ Mama Africa The Voice Uganda
+ We Rescue,rehabilitate,reconcile,Empower and Resettle .<br><br>"until every child has a chest to rest his head on and a place to call home...
+
+
+
+ https://staging.giveth.io/project/United-Plant-Savers
+ United Plant Savers
+ United Plant Savers’ mission is to protect native medicinal plants and fungi, and their habitats while ensuring renewable populations for use by generations to come.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Helping-Hands-La-Paz-(Bolivia)
+ Fundacion Helping Hands-La Paz (Bolivia)
+ The mission of the Fundacion Helping Hands-La Paz (Bolivia) is to open up educational opportunities for marginalized and vulnerable Bolivian youth of scarce economic resources so that they may complete a programme of studies to become technicians or university graduates. Education is the focus of the Fundacion Helping Hands -La Paz (Bolivia), and we hope to broaden the horizons of our young people by providing new experiences and activities. Helping Hands works with several orphanages, social projects and international organizations to give these young people the opportunity to educate themselves and become more productive and responsible citizens. In particular we work with girls who, traditionally, have been marginalized as far as upper education is concerned. <br>Our project began in an informal way in 2004 to give support to the 48 boys who had to leave the state boys home at the age of 18 and they had not yet finished high school. We provided rent support, school materials, moral support and help with documentation so that the boys could finish high school. The project grew to include studies in technical schools and universities when the boys had finished high school and in 2006 we expanded to include girls from the many social projects in La Paz and El Alto. In 2014 our project was formalized with the creation of the Fundacion Helping Hands - La Paz (Bolivia) and we now support 100 students from the ages of 15 to 25 of which 65% were girls in 2017.<br>The Fundacion Helping Hands-La Paz (Bolivia) also provides medical and dental care for the students to insure their permanency in their programmes of study. There is no universal health care in Bolivia, and the costs of health care can be devastating for those lacking economic resources. <br>Students are required to attend monthly meetings where we provide talks on many themes of interest to young people in order to provide a more integral personal development. We invite speakers in the areas of education in reproductive health, the environment, values, general health, living without violence, and written expression. We organize outings to museums and other cultural activities. <br>We feel that in order for an underdeveloped country to progress it must provide education for all of its citizens. Education is one of the keys to eradicating poverty.
+
+
+
+ https://staging.giveth.io/project/Taiwan-Fund-for-Children-and-Families
+ Taiwan Fund for Children and Families
+ TFCF is a non-government organization that dedicates itself to award needy children and their families with welfare and benefits. From the financial support through foreign donors in the very early beginning, we are now a self-independent organization whose mission and vision still remain on the consideration of needy childrens benefits. We aim at promoting and advocating for the wellbeing of children, youth, and underprivileged families. We hope to be the beacon of hope to assist those needy children and their families regardless of the religion, ethnics or gender.
+
+
+
+ https://staging.giveth.io/project/Nandri
+ Nandri
+ Nandri has been supporting development programmes in the Vellore and Tiruvannamalai districts of Tamil Nadu, Southern India since 1996. Nandri currently supports many programmes including Educate Dalit girls; Microfinance for third level education; Mothers self-help groups; Microfinance family income generation; Rural development centre; Agricultural income generation and training. Nandri has supported over 10,000 children to access primary and secondary education. Every year we support over 200 children to continue on to third level education. Nandri has also provided over 2500 mothers with micro finance support to improve their livelihoods. <br><br>Nandris vision is that all children from Vellore and Tiruvannamalai districts in Tamil Nadu state have equal access to quality education, regardless of gender, ethnicity or social/caste status and that women and men be treated with equal respect, non-discrimination and opportunity for income generation and decision making in the home and community. Nandris mission is to improve the income, education and health of families in Vellore and Tiruvannamalai districts, particularly Dalit and Dhobi families, by financing access up to and including third level education for children, by providing mothers with financial support for income generation and by training mothers in health, nutrition, finance and human rights. Nandris strategic goals are: Support children from predominantly Dalit and Dhobi communities to access quality education up to and where possible including third level education. Empower mothers from predominantly Dalit and Dhobi communities to capitalize on their existing land assets, access income generating assets and loans and improve their knowledge of nutrition, health and human rights issues. Formalise internal organisational structures, policies, systems and processes and strengthen board leadership.
+
+
+
+ https://staging.giveth.io/project/KidsTLC-Inc
+ KidsTLC, Inc
+ KidsTLC exists to transform the lives of children and families experiencing mental and behavioral health challenges, developmental trauma and autism.
+
+
+
+ https://staging.giveth.io/project/Southern-Coalition-for-Social-Justice
+ Southern Coalition for Social Justice
+ The Southern Coalition for Social Justice partners with communities of color and economically disadvantaged communities in the South to defend and advance their political, social, and economic rights through the combination of legal advocacy, research, organizing, and communications.
+
+
+
+ https://staging.giveth.io/project/NIGERIAN-ASSOCIATION-FOR-WOMENS-ADVANCEMENT
+ NIGERIAN ASSOCIATION FOR WOMENS ADVANCEMENT
+ Nigerian Association For Womens Advancement Mission is to empower women through education, to recognize her role as backbone of the family, to make free and responsible choices and to be an agent of change by upholding ethical and moral values in all her activities.
+
+
+
+ https://staging.giveth.io/project/Bangalore-Baptist-Hospital-Society
+ Bangalore Baptist Hospital Society
+ To provide quality, holistic care to all people and train others to do the same, sharing the love of Jesus Christ, drawing people to him and growing together into a mature community.
+
+
+
+ https://staging.giveth.io/project/Irida-Womens-Center
+ Irida Womens Center
+ Irida Womens Center is a nonprofit organization that empowers economically and socially vulnerable women to become active members in society and to fulfil their goals and aspirations. In our women led community center, women can find the support they need to address challenges, find solutions and achieve positive change. Through counseling, legal and psychosocial support, and employability services, women are inspired to share and learn, make responsible decisions for their lives and pursue opportunities for personal and professional development.<br><br>Mission: "To ensure that all women are supported and empowered to pursue opportunities for personal and professional development and determine the course of their lives".
+
+
+
+ https://staging.giveth.io/project/Partners-for-Community-Transformation-(PaCT)
+ Partners for Community Transformation (PaCT)
+ PaCT exists to support and transform the lives of vulnerable Ugandans, to attain a stable, healthy and recognizable life in the society.<br><br>PaCT is a Ugandan National registered non-for-profit making organization affiliated to The Mityana Charity a registered Charity in the United Kingdom to coordinate resources and support for PaCT development projects in Uganda. We currently operate in six districts in Uganda that include Mityana, Mubende, Kiboga, Gomba, Kyankwanzi and Kassanda. Our community-based programs strive at improving the well-being of all families we serve, partnering with them for a self-sustainable society. We are a non-denominational and political organization respecting all religions and cultures in communities where we work.<br>PaCT attributes its growing success for over two decades now on direct community engagements with the local communities and leadership combined with a committed and professional team of staff working happily to create lasting smiles for the people we serve. To achieve long-term community based sustainable development, there is need for integration of key services such as education, health care, human rights and Economic empowerment for a<br>stable society.
+
+
+
+ https://staging.giveth.io/project/Child-Welfare-League-Foundation-(CWLF)
+ Child Welfare League Foundation (CWLF)
+ Mission,<br>The Child Welfare League Foundation is a non-profit organization devoted to child welfare, both in the fields of direct and indirect services. In order to advocate for childrens rights and raise awareness of child welfare issues, we work on improving legislation, coordinating a network of related child welfare agencies and organizations, as well as monitoring the governments child welfare system and policies, so as to create a better environment for our children.<br><br>Our History,<br>In 1990, the Child Welfare League Committee was organized to facilitate the 1990 amendment of the 1973 Child Welfare Law. The committee was comprised of a group of enthusiastic professionals including legislators, lawyers, social workers as well as other concerned participants. The Committee prepared a Revision of the Child Welfare Law which was then sent to the Legislative Yuan for approval. The Committee believed there was a need for a permanent organization to carry on the child welfare work in Taiwan and thus the Child Welfare League Foundation (CWLF) was established in December 1991.<br><br>Since then, CWLF has provided a wide range of publicly accessible services related to child welfare. CWLF works to resolve social problems through public education, social services, and legislative change while addressing new problems as needs arise.<br><br>CWLF was first established in Taipei in 1991. The Kaohsiung branch was later established in December 1997, followed by the Taichung branch in 1998. CWLF in collaboration with the Taiwan Provincial Government also founded the Missing Children Data Resource Center in Taichung.<br><br>Goal,<br>To facilitate the amendment of child welfare laws and policies<br>To promote the concepts of child welfare<br>To provide child welfare services<br>To conduct child welfare research<br>To build child welfare networks<br>To establish a child welfare data center
+
+
+
+ https://staging.giveth.io/project/Oklahoma-City-Community-Foundation
+ Oklahoma City Community Foundation
+ The mission of the Oklahoma City Community Foundation, a nonprofit public charity, is to serve the charitable purposes of its donors and the charitable needs of the Oklahoma City area through the development and administration of endowment and other charitable funds with the goal of preserving capital and enhancing value.
+
+
+
+ https://staging.giveth.io/project/Favela-Inc
+ Favela Inc
+ Our mission is to cultivate and incubate sustainable favela-based impact ecosystems that facilitate innovation and access to education, infrastructure, and investment for favela-centric startups, non-profits, and institutions. We seek to fortify favela communities and their citizens in the long-term, by providing them with access to knowledge, networks, infrastructure, and partners that will allow them to be the protagonists of the socioeconomic development of their community. We help remove the inherent limitations caused by widespread economic exclusion and institutional racism by giving the power of economic autonomy and sustainability back to favela.
+
+
+
+ https://staging.giveth.io/project/Teach-for-Pakistan
+ Teach for Pakistan
+ Teach For Pakistans mission is to build a movement of diverse and capable leaders committed to eliminating educational inequity in Pakistan.<br><br>We recruit and train top graduates and young professionals from all fields for a two-year Fellowship, and place them to teach in struggling schools in low-income communities. <br><br>During their two year commitment, Fellows work with their students, school staff and parents to transform learning and life-outcomes for children. After the Fellowship, our Alumni use their experiences to tackle Pakistans most pressing problems in education, fostering action to change policy and curriculum, mobilizing resources, turning around schools, and spurring social innovation. Collectively, this movement aims to reform the system so that every child in Pakistan has the opportunity to participate in an education that nurtures them to become loving, thinking and engaged citizens.<br><br>Teach For Pakistan was founded in 2010, based on the global model of Teach For All and with support from our incubating partner, The Aman Foundation. In 2017, Teach For Pakistan started its next chapter as a new organization with an independent board and diverse funding base. Teach For Pakistan (formerly "One To Many") is incorporated with the Securities and Exchange Commission of Pakistan as a Section 42, non-profit company. Khadija Shahper Bakhtiar, who originally co-founded the program in partnership with Aman in 2010, and led the work as CEO and Advisory Board member until 2015, is currently leading the organization. We carry with us six years of learning in program and organizational development, and the commitment of over a hundred Alumni and former staff.
+
+
+
+ https://staging.giveth.io/project/Todos-Pela-Educacao
+ Todos Pela Educacao
+ To engage the public power and the Brazilian society in the commitment for the effectiveness of the right of children and young people to a quality basic education.<br>To influence in order to achieve by 2022 in Brazil:<br>every child from 4 to 17 years old should be in school.<br>every 8-year-old child should know how to read and write.<br>every student should have the adequate knowledge according to his/her school grade.<br>every youngster should graduate from high school by 19 years old. <br>investment in Education should be increased and well managed.
+
+
+
+ https://staging.giveth.io/project/GoodFoundation
+ GoodFoundation
+ Founded in 2001, Good+Foundation is a leading national nonprofit that works to dismantle multi-generational poverty by pairing tangible goods with innovative services for low-income fathers, mothers and caregivers, creating an upward trajectory for the whole family.
+
+
+
+ https://staging.giveth.io/project/United-Way-Miami
+ United Way Miami
+ Improving quality of life for all by bringing together people and resources committed to building a better community.
+
+
+
+ https://staging.giveth.io/project/COMMUNITY-FOUNDATION-OF-GREATER-GREENSBORO-INC
+ COMMUNITY FOUNDATION OF GREATER GREENSBORO INC
+ The Community Foundation of Greater Greensboro inspires giving, maximizes opportunities and strengthens communities for present and future generations.
+
+
+
+ https://staging.giveth.io/project/Lewa-Wildlife-Conservancy-USA
+ Lewa Wildlife Conservancy USA
+ Lewa Wildlife Conservancy is a U.S. registered nonprofit organization established to support Lewa Wildlife Conservancy in Kenya.
+
+
+
+ https://staging.giveth.io/project/SAVING-INNOCENCE-INC
+ SAVING INNOCENCE INC
+ To protect human worth by confronting exploitation. We serve victims of all forms of trafficking through strategic partnerships with local law enforcement, social service providers, community organization, and governmental organizations.
+
+
+
+ https://staging.giveth.io/project/AfricAid
+ AfricAid
+ AfricAid works to improve the standing of women in society through robust, locally-led mentorship initiatives that cultivate confidence, improve academic and health outcomes, and promote socially-responsible leadership skills.
+
+
+
+ https://staging.giveth.io/project/The-Jewish-Federation-of-Central-Alabama-Inc
+ The Jewish Federation of Central Alabama Inc
+ To be the primary fundraising vehicle in central Alabama for Jewish needs locally, nationally, in Israel and around the world. We build Jewish identity, pride, unity and activism through education, leadership development and opportunities for volunteerism.
+
+
+
+ https://staging.giveth.io/project/Pathfinder-International
+ Pathfinder International
+ We champion sexual and reproductive health and rights worldwide, mobilizing communities most in need to break through barriers and forge their own path to a healthier future.
+
+
+
+ https://staging.giveth.io/project/Syrian-Orphans-Organization
+ Syrian Orphans Organization
+ To make lasting postive change in the lives of disadvantaged Syrian orphans.
+
+
+
+ https://staging.giveth.io/project/Almasheesh-for-Peace-and-Development-Organization
+ Almasheesh for Peace and Development Organization
+ Mission Statement:<br>APDO believes in making tangible contributions towards Peace, Development and Community Empowerment for All through undertaking innovative initiatives in the following sectors in South Darfur - Sudan;<br> Peace Building, conflict resolution and Civic Education <br> Protection (Gender Based Violence, Child Protection and General Protection) & Human Rights<br> Education<br> Gender Equality& Women empowerment.<br> Sustainable Development
+
+
+
+ https://staging.giveth.io/project/Education-Without-Backpacks
+ Education Without Backpacks
+ Our aim is to become the biggest educational site for 1st to 12th grade in Bulgaria.<br>Our success to be measured by improved grades and learning motivation of tens of thousands Bulgarian children.<br>The official body supporting Khan Academy in Bulgaria is the "Obrazovanie bez ranitsi" ("Education without backpacks") association
+
+
+
+ https://staging.giveth.io/project/World-Jewish-Congress-(American-Section)-Inc
+ World Jewish Congress (American Section), Inc
+ The World Jewish Congress is the internationally recognized representative body of Jewish communities in more than 100 countries across six continents, working on their behalf with foreign governments, international organizations, law enforcement agencies, and at the grassroots level to: combat antisemitism, bigotry, xenophobia, and extremism; support Israel and advance Middle East peace; safeguard Jewish security; advocate on issues of international human rights; preserve and perpetuate the memory of the Holocaust; promote and enhance Jewish unity and interfaith relations; and nurture future generations of Jewish leadership.
+
+
+
+ https://staging.giveth.io/project/Urban-Gateways
+ Urban Gateways
+ Urban Gateways engages young people in arts experiences to inspire creativity and impact social change.
+
+
+
+ https://staging.giveth.io/project/Gift-of-Life-Marrow-Registry
+ Gift of Life Marrow Registry
+ At Gift of Life we believe every person battling blood cancer deserves a second chance at life — and we are determined to make it happen. We are singularly passionate about engaging the public to help us get everyone involved in curing blood cancer, whether as a donor, a volunteer or a financial supporter. It all begins with one remarkable person, one life-changing swab and one huge win — finding a match and a cure.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-Central-New-York
+ Food Bank of Central New York
+ Food Bank of Central New York is a not-for-profit organization working to eliminate hunger through nutritious food distribution, education, and advocacy in cooperation with the community.
+
+
+
+ https://staging.giveth.io/project/Navy-Marine-Corps-Relief-Society
+ Navy-Marine Corps Relief Society
+ The mission of the Navy-Marine Corps Relief Society is to provide, in partnership with the Navy and Marine Corps, financial, educational, and other assistance to members of the Naval Services of the United States, eligible family members, and survivors when in need; and to receive and manage funds to administer these programs.
+
+
+
+ https://staging.giveth.io/project/National-Pediatric-Cancer-Foundation
+ National Pediatric Cancer Foundation
+ The National Pediatric Cancer Foundation is dedicated to funding research to eliminate childhood cancer. Our focus is to find less toxic, more effective treatments through a unique collaborative research initiative called the Sunshine Project.<br><br>The National Pediatric Cancer Foundation formed the Sunshine Project, an innovative collaboration with one goal: to bring together the nation’s top doctors and researchers to find a faster cure for pediatric cancer. Through the establishment of the Sunshine Project, the National Pediatric Cancer Foundation has developed a business model that capitalizes on the strengths of researchers from all different fields of science and streamlines the process to accelerate the development of new treatments.<br><br>We currently continue this collaborative research model with 30 hospital partners and leading scientists. Since its inception, the NPCF has donated over $30 million to research and has funded over 28 project initiatives.
+
+
+
+ https://staging.giveth.io/project/Council-of-Korean-Americans
+ Council of Korean Americans
+ CKA’s mission is to amplify the national voice and increase the influence<br>of the Korean American community. Our vision is to serve as the celebrated national leadership organization representing the voice, interest, and future of the Korean American community.
+
+
+
+ https://staging.giveth.io/project/Hydrating-Humanity
+ Hydrating Humanity
+ Providing safe water, hygiene education and hope in East Africa. Our mission is to help an entire region in East Africa experience real and lasting transformation at every level. This begins with meeting the fundamental need for clean water, and helping improve their physical, financial and spiritual lives along the way.
+
+
+
+ https://staging.giveth.io/project/African-Enterprise
+ African Enterprise
+ Evangelizing the Cities of Africa through Word and Deed in Partnership with the Church
+
+
+
+ https://staging.giveth.io/project/UNITED-STATES-SPACE-FOUNDATION
+ UNITED STATES SPACE FOUNDATION
+ Advocating for Innovation. Bettering Life on Earth.
+
+Our mission is to be the preeminent advocate and gateway for trusted information, lifelong education, and seamless collaboration for all people and organizations engaging in space exploration and space-inspired industries that define the global space ecosystem.
+
+
+
+ https://staging.giveth.io/project/Churchome
+ Churchome
+ We believe that Jesus perfectly reveals the true heart of God. He’s not a distant or indifferent dad who scowls with arms crossed as he considers all you’ve wasted and everything you’ve broken. Instead, he’s a God who loves you, whose arms are open wide to welcome people home.<br><br>Why would God want to hang out with people like us? There’s only one answer: love. Extravagant love. Love that is on a level beyond time and space. Divine love. And this is the kind of love that binds God’s home together.<br><br>Every woman, man, girl and boy-every age, every race-can find a home in God. A home where they belong. God has made us a family, and we want to be a community that operates as a family.
+
+
+
+ https://staging.giveth.io/project/Community-Health-Network-Foundation
+ Community Health Network Foundation
+ Community’s mission is to enhance health and well-being, and the strategies of the organization revolve around that commitment to our communities. Beyond providing healthcare for those who are sick or injured, enhancing well-being also means giving back to the community in many ways—such as generously supporting workforce development and economic development, sending caregivers into schools, and addressing social needs that impact health, from food insecurity to educational issues.
+
+
+
+ https://staging.giveth.io/project/Impact-Church-2
+ Impact Church 2
+ Impact Church is dedicated to rebuilding the spirit of the community with Jesus Christ as its cornerstone.
+
+
+
+ https://staging.giveth.io/project/Move-United
+ Move United
+ Move United’s vision is that every person, regardless of ability, has an equal opportunity to participate in sports and recreation in their community. Our mission is to provide national leadership and opportunities for individuals with disabilities to develop independence, confidence, and fitness through participation in community sports, including competition, recreation and educational programs.
+
+
+
+ https://staging.giveth.io/project/Tierra-del-Sol
+ Tierra del Sol
+ Tierra del Sol serves champions inclusion and value for all individuals with disabilities through creative pathways to employment, education, and the arts. We serve each person with the values of person-centeredness, passion, honesty, respect, and full engagement. Our vision is that all people with disabilities lead a productive and personally meaningful life.
+
+
+
+ https://staging.giveth.io/project/The-Catholic-Foundation-of-Northern-CO
+ The Catholic Foundation of Northern CO
+ The Catholic Foundation of Northern Colorado invites you to experience the joy of giving now and beyond your lifetime. We have been inspiring and facilitating charitable giving for the long-term benefit of our donors and the Church for over 22 years. We are legal distinct from the Archdiocese of Denver to steward the protect the gifts entrusted to us with the goal of building up the church and its ministries. We gather, grow, and give - carrying your charitable giving through the various stages of life.
+
+
+
+ https://staging.giveth.io/project/Santa-Fe-Animal-Shelter
+ Santa Fe Animal Shelter
+ Since 1939, the Santa Fe Animal Shelter has been dedicated to its mission: support animals, save lives, spread compassion.
+
+
+
+ https://staging.giveth.io/project/Urban-Upbound
+ Urban Upbound
+ Urban Upbound is dedicated to breaking cycles of poverty in New York City public housing and other low-income neighborhoods. We provide underserved youth and adults with the tools and resources needed to achieve economic prosperity and self-sufficiency through five comprehensive, integrated programs: Employment Services, Financial Counseling, Income Support Services, Community Revitalization, and Financial Inclusion services anchored by the Urban Upbound Federal Credit Union.
+
+
+
+ https://staging.giveth.io/project/Pollinator-Partnership
+ Pollinator Partnership
+ Pollinator Partnership’s mission is to promote the health of pollinators, critical to food and ecosystems, through conservation, education, and research..
+
+
+
+ https://staging.giveth.io/project/Rocky-Mountain-Public-Media
+ Rocky Mountain Public Media
+ Rocky Mountain Public Media exists to strengthen the civic fabric of Colorado.
+
+
+
+ https://staging.giveth.io/project/Blankets-of-Hope
+ Blankets of Hope
+ Inspiring a global movement of kindness, one blanket at a time.
+
+
+
+ https://staging.giveth.io/project/Feeding-Texas
+ Feeding Texas
+ Feeding Texas leads a unified effort for a hunger-free Texas. As a statewide association for a network of 21 food banks that serve all 254 counties in Texas, we work collaboratively to ensure adequate nutritious food for our communities, improve the health and financial stability of the people we serve, and engage all stakeholders in advocating for hunger solutions.
+
+
+
+ https://staging.giveth.io/project/ABARA-Borderland-Connections
+ ABARA - Borderland Connections
+ In a polarizing world, Abara inspires connections across divides through proximity, education, and engagement. <br><br>Abara is focused on accomplishing our mission by focusing on three Core Areas of Action: <br><br>1) Border Encounters: 3-5 Day educational experiences training leaders, faith groups, and national networks through reflection and action<br><br>2) Border Response: Resourcing and connecting migrant shelters on both sides of the Rio Grande<br><br>3) Abara House: Gathering at Historic Hacienda Restaurant to listen, lament, celebrate, and engage across divides
+
+
+
+ https://staging.giveth.io/project/The-Seven-Hills-School
+ The Seven Hills School
+ Seven Hills is a learning community with the mission to develop the intellect, engage the spirit, and foster respect for, and responsibility to, our world.
+
+
+
+ https://staging.giveth.io/project/Swaminarayan-Gurukul-Rajkot-Sansthan
+ Swaminarayan Gurukul Rajkot Sansthan
+ To transform each individual by giving them the power, opportunities and culture to attain the highest level of humanity and spirituality.
+
+
+
+ https://staging.giveth.io/project/Suncoast-Community-Church
+ Suncoast Community Church
+ To live as Jesus would in our story.
+
+
+
+ https://staging.giveth.io/project/Mercy-for-Animals
+ Mercy for Animals
+ To construct a compassionate food system by reducing suffering and ending the exploitation of animals for food.
+
+
+
+ https://staging.giveth.io/project/Wisdom-International
+ Wisdom International
+ Wisdom International provides radio broadcasts, digital content, and print resources designed to make disciples of all the nations, and edify followers of Jesus Christ. Our flagship program, Wisdom for the Heart, is released each weekday and is available in eight languages. The Wisdom Journey takes listeners through the entire Bible—Genesis through Revelation—in three years, ten minutes per day.
+
+
+
+ https://staging.giveth.io/project/Too-Young-to-Wed
+ Too Young to Wed
+ Led by renowned Pulitzer Prize-winning photojournalist and activist Stephanie Sinclair, the mission of Too Young To Wed (TYTW) is to empower girls and end child marriage globally. Somewhere in the world, every two seconds, a girl is married against her will. While child marriage occurs in almost all countries, and is not exclusive to any particular religion or society, TYTW focuses its programming in areas where child marriage is most egregious and underreported.<br><br>Afghanistan Emergency Initiative:<br><br>TYTW has successfully evacuated more than 700 at-risk Afghan women and girls (including families); and continues to provide in-country services including emergency food assistance for over 1,800 individuals, private education support for girls, and over 1,000 nights of safe housing for families in danger.
+
+
+
+ https://staging.giveth.io/project/Ghetto-Film-School-US
+ Ghetto Film School US
+ Ghetto Film School (GFS) is an award-winning nonprofit founded in 2000 to educate, develop and celebrate the next generation of great storytellers. <br><br>With locations in New York City, Los Angeles and London, GFS equips students for top universities and careers in the creative industries through two tracks: an introductory education program for high school students and early-career support for alumni and young professionals.
+
+
+
+ https://staging.giveth.io/project/The-New-York-Society-for-the-Prevention-of-Cruelty-to-Children
+ The New York Society for the Prevention of Cruelty to Children
+ The mission of the NYSPCC is to respond to the complex needs of abused and neglected children, and those involved in their care, by providing best practice counseling, legal, and educational services. Through research, communications and training initiatives, we work to expand these programs to prevent abuse and help more children heal.
+
+
+
+ https://staging.giveth.io/project/Haiti-Health-Promise-CRUDEM-Fnd
+ Haiti Health Promise CRUDEM Fnd
+ For over 60 years, our sole focus is providing the northern region of Haiti with quality healthcare, the opportunity for a stable community life, and avenues for economic growth. Our centerpiece project is the 200-bed Hôpital Sacré Coeur, the largest non-government hospital and public health provider for the 250,000 people living in the Milot region of Northern Haiti and the official government reference hospital that serves the 3.4 million plus population of the Northern districts of Haiti. <br>Hôpital Sacré Coeur has engaged in more than 5 million patient interactions in the last ten years alone, including hospital admissions, surgical procedures, outpatient clinics, diagnostic tests, laboratory tests, and prescription medicines. Preventative healthcare outreach efforts include pre-natal, vaccine, HIV-Aids, pediatric diabetes and other onsite medical assistance, education, and screening. <br>With a staff of over 350 Haitians, Hôpital Sacré Coeur is the region’s major employer and economic driver.
+
+
+
+ https://staging.giveth.io/project/Notes-for-Notes-Inc
+ Notes for Notes, Inc
+ NOTES FOR NOTES® provides youth with FREE access to music instruments, instruction and recording studio environments in person and digitally so that music may become a profoundly positive influence in their lives.
+
+
+
+ https://staging.giveth.io/project/Court-Appointed-Special-Advocates-of-Santa-Barbara-County
+ Court Appointed Special Advocates of Santa Barbara County
+ The mission of Court Appointed Special Advocates (CASA) of Santa Barbara County is to assure a safe, permanent, nurturing home for all abused and/or neglected children by providing a highly trained volunteer to advocate for them in the court system.
+
+
+
+ https://staging.giveth.io/project/Cambodian-Childrens-Fund
+ Cambodian Childrens Fund
+ Were transforming the lives of the most impoverished, marginalized and neglected children in Cambodia through high quality education, leadership training and direct support programs.
+
+
+
+ https://staging.giveth.io/project/Emerald-Foundation
+ Emerald Foundation
+ Moving local and national communities forward in education, youth development, safety and awareness through innovative STEM-inspired platforms, while promoting a culture of inclusivity and meeting the needs of the underserved.
+
+
+
+ https://staging.giveth.io/project/Businesses-United-in-Investing-Lending-and-Development-(BUILD)
+ Businesses United in Investing Lending and Development (BUILD)
+ BUILD ignites the power of youth in under-resourced communities to build career success, entrepreneurial mindsets, and opportunity. We help students become the CEO of their own lives!
+
+
+
+ https://staging.giveth.io/project/International-Society-For-Infectious-Diseases
+ International Society For Infectious Diseases
+ The International Society for Infectious Diseases (ISID) is dedicated to developing partnerships through advocacy, education, and delivering solutions to the problems of infectious diseases around the globe. For decades, the ISID encourages collaborative efforts between human, veterinary, and environmental health communities to best detect, manage, and prevent infectious disease spread. The ISID has a particular focus on resource limited countries that disproportionately bear the burden of infectious diseases. The ISID is the premier organization convening yearly international conferences on cutting-edge science and community in the field of infectious diseases within a One Health context.
+
+
+
+ https://staging.giveth.io/project/Good-Tutors
+ Good Tutors
+ Our mission is to improve educational outcomes and encourage a love of learning for students in underserved communities by providing free 1:1 tutoring, tailored to cultivate each students individual academic, social and emotional growth as well as their artistic and intellectual interests.
+
+
+
+ https://staging.giveth.io/project/Bethany-International
+ Bethany International
+ To take the Church to where it is not - and help others do the same.
+
+
+
+ https://staging.giveth.io/project/Children-of-Armenia-Fund
+ Children of Armenia Fund
+ Provide resources to children and adults with COAF SMART initiatives to advance rural communities through innovation.
+
+
+
+ https://staging.giveth.io/project/Haverford-College
+ Haverford College
+ Haverford College is committed to providing a liberal arts education in the broadest sense. This education, based on a rich academic curriculum at its core, is distinguished by a commitment to excellence and a concern for individual growth. Haverford has chosen to remain small and to foster close student/faculty relationships to achieve these objectives.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-South-Central-Texas
+ Boys Girls Clubs of South Central Texas
+ Our mission is to enable all young people, especially those who need us the most, to reach their full potential as productive, caring, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/First-Graduate
+ First Graduate
+ In families where no one has ever studied beyond high school, a student’s successful completion of college is more than cause for celebration. It’s a momentous, life-altering event in that family’s history.<br><br>First Graduate helps San Francisco students become the first in their families to earn college degrees. Our students are largely immigrants or children of immigrants facing daunting economic and often cultural challenges. Bright and eager to excel in their educations and eventually their careers, they need the sorts of long-term support their less-challenged peers receive to become, and remain, competitive high school and college candidates.<br><br>Beginning the summer after 6th grade and continuing through college graduation and beyond, we support each of our students with a comprehensive array of highly effective programs—from individual academic coaching and high school and college admissions guidance, to career counseling and more. Lasting between ten and twelve years, the longest of any similar initiative in the Bay Area, this investment in our students bears a huge dividend for them, their families and society as a whole: a confident college graduate, prepared for the kind of career in modern America that can lift an entire family out of poverty in a single generation.
+
+
+
+ https://staging.giveth.io/project/Support-and-Feed-Inc
+ Support and Feed, Inc
+ SUPPORT + FEED is an intersectional 501(c)(3) organization dedicated to taking action for a global shift to an equitable, plant-based food system to combat food insecurity and the climate crisis.
+
+
+
+ https://staging.giveth.io/project/United-Network-for-Organ-Sharing
+ United Network for Organ Sharing
+ Unite and strengthen the donation and transplant community to save lives.
+
+
+
+ https://staging.giveth.io/project/Cranston-Public-Library-Association
+ Cranston Public Library Association
+ The Cranston Public Library Association will secure contributions to help fulfill the mission of the Cranston Public Library. Funds will be made available to the Cranston Public Library for the support of public services, programmatic, and capital needs.
+
+
+
+ https://staging.giveth.io/project/Fisher-House-Foundation
+ Fisher House Foundation
+ Fisher House Foundation builds comfort homes at or near military and Department of Veterans Affairs medical centers. Families of wounded, ill, or injured veterans and service members can stay at no cost while their loved ones receive treatment away from home. Other programs include support for existing Fisher Houses when needed, scholarships, grants for nonprofit organizations with innovative military and veteran Quality of Life projects, Hero Programs, adaptive sports, and filling the gaps for military and veteran families during a crisis.
+
+
+
+ https://staging.giveth.io/project/Honnold-Foundation
+ Honnold Foundation
+ The Honnold Foundation (HF) promotes solar energy for a more equitable world. <br><br>HF provides grants to organizations advancing solar energy access all over the world. We look for partners whose work reduces environmental impact and increases social and economic equity, and who demonstrate strong ties to the communities they serve.
+
+
+
+ https://staging.giveth.io/project/The-Ohio-University-Foundation
+ The Ohio University Foundation
+ Your gift helps students earn more than a degree: you’re bringing them the hands-on experiences that will transform them into community leaders, creative thinkers, and people who change the world.
+
+
+
+ https://staging.giveth.io/project/University-of-Maryland-College-Park-Foundation
+ University of Maryland College Park Foundation
+ The University of Maryland College Park Foundation was established in 2000 as a 501(c)(3) non-profit corporation organized to receive, hold, invest and manage assets given in support of the University of Maryland, College Park. In the years since its inception, the UMCP Foundation has achieved growth, expansion and excellence while advancing the State of Maryland’s flagship campus on its ascent as a preeminent public research institution and global leader in entrepreneurship and innovation.
+
+
+
+ https://staging.giveth.io/project/Deaf-Plus-Adult-Community
+ Deaf Plus Adult Community
+ Were passionately committed to opening up the world for deaf and deafblind adults with intellectual/developmental disabilities. Deaf Plus Adult Community is a deaf-centered adult day program offering classes in American sign language focusing on enriching the lives of deaf and deafblind individuals. Our mission is to use person-centered approaches providing hope, love, respect, and support. Classes offered in nutrition, deaf culture, life skills, and exercise are promoted daily. we volunteer in the community weekly along with exploring educational field trips.
+
+
+
+ https://staging.giveth.io/project/Austin-Pets-Alive
+ Austin Pets Alive
+ To promote and provide the resources, education and programs needed to eliminate the killing of companion animals.
+
+
+
+ https://staging.giveth.io/project/Extreme-Response-International
+ Extreme Response International
+ Extreme Response exists to change the lives of people living in extreme, often life-threatening, conditions.
+
+
+
+ https://staging.giveth.io/project/Lawndale-Art-Center
+ Lawndale Art Center
+ Lawndale is a multidisciplinary contemporary art center that engages Houston communities with exhibitions and programs that explore the aesthetic, critical, and social issues of our time.
+
+
+
+ https://staging.giveth.io/project/Christopher-Dana-Reeve-Foundation
+ Christopher Dana Reeve Foundation
+ We are dedicated to curing spinal cord injury by advancing innovative research and improving the quality of life for individuals and families impacted by paralysis.
+
+
+
+ https://staging.giveth.io/project/Muslim-Association-of-Puget-Sound
+ Muslim Association of Puget Sound
+ Provide Islamic and cultural services to local Muslims and provide charitable, educational and social services to the broader community.
+
+
+
+ https://staging.giveth.io/project/Girls-Who-Code-Inc
+ Girls Who Code Inc
+ Girls Who Code programs work to inspire, educate, and equip girls with the computing skills to pursue 21 St century opportunities.
+
+
+
+ https://staging.giveth.io/project/Team-Rubicon
+ Team Rubicon
+ Team Rubicon is a veteran-led humanitarian organization that serves global communities before, during, and after disasters and crises.
+
+
+
+ https://staging.giveth.io/project/Catholic-Schools-Foundation
+ Catholic Schools Foundation
+ The Catholic Schools Foundation was incorporated in 1989 as an offshoot of the St. Anthony’s scholarship fund, which was established in 1983 by Most Reverend Thomas V. Daily and Paul J. Birmingham. CSF was established to help raise funds for scholarships and programs that allow students from low-income backgrounds to benefit from high-quality Catholic education in the Archdiocese of Boston.
+
+
+
+ https://staging.giveth.io/project/Project-Chimps
+ Project Chimps
+ Project Chimps mission is to provide lifelong exemplary care to chimpanzees retired from research.
+
+
+
+ https://staging.giveth.io/project/WildAid
+ WildAid
+ Be a force for change in protecting wildlife and vital habitats from imminent threats to realize a sustainable future.
+
+
+
+ https://staging.giveth.io/project/Durham-Arts-Council
+ Durham Arts Council
+ Durham Arts Council, Inc. promotes excellence in and access to the creation, experience and active support of the arts for all the people of our community.
+
+
+
+ https://staging.giveth.io/project/Qualia-Research-Institute
+ Qualia Research Institute
+ Qualia Research Institute is a nonprofit research group studying consciousness in a consistent, meaningful, and rigorous way
+
+
+
+ https://staging.giveth.io/project/NARAL-Pro-Choice-America-Foundation
+ NARAL Pro-Choice America Foundation
+ To support, as a fundamental right and value, a womans freedom to make personal decisions regarding the full range of reproductive choices through education, training, organizing, legal action and public policy.
+
+
+
+ https://staging.giveth.io/project/Amanda-Hope-Rainbow-Angels
+ Amanda Hope Rainbow Angels
+ To bring dignity and comfort into the harsh world of childhood cancer and other life-threatening diseases.
+
+
+
+ https://staging.giveth.io/project/Ashas-Farm-Sanctuary-Inc
+ Ashas Farm Sanctuary Inc
+ The mission of the organization is to provide for the rescue, care, rehabilitation, fostering and adoption of farm animals.
+
+
+
+ https://staging.giveth.io/project/Real-Escape-from-the-Sex-Trade
+ Real Escape from the Sex Trade
+ REST exists to provide pathways to freedom, safety, and hope for victims of sex trafficking and people involved in the sex trade.
+
+
+
+ https://staging.giveth.io/project/Coalition-for-Rainforest-Nations-Secretariat
+ Coalition for Rainforest Nations Secretariat
+ Coalition for Rainforest Nations (CfRN) envisions a world where rainforests are fairly valued for their ecosystem services. Simply put, we strive to make trees worth more alive than dead. Founded in 2005, CfRN initially consisted of two countries - Papua New Guinea and Costa Rica - which introduced the REDD+ framework (Reducing Emissions from Deforestation and Degradation) to the UN at the annual COP climate summit. It took 10 years for CfRN to get REDD+ adopted by the UN as part of the landmark 2015 Paris Climate Agreement and during that time, CfRN grew from 2 countries to over 50. The UN REDD+ framework that CfRN championed has achieved over 11 gigatons of verified carbon emissions over time; this is greater than the combined annual emissions of the United States and European Union! But we have much more work ahead to truly end and reverse global deforestation. Today, CfRN has 3 programs: Policy (supporting and coordinating rainforest countries at COP and other climate negotiations), Capacity Building (training rainforest countries to implement the technical requirements of REDD+) and Direct Finance (tools to raise more funding for rainforest countries to adopt conservation practices). CfRN is a small nonprofit that has achieved big results. With a staff of just 15 and consistent leadership from founders Kevin Conrad and Federica Bietta, CfRN managed to develop and implement a forest conservation mechanism that has achieved major emission reductions with more to come.
+
+
+
+ https://staging.giveth.io/project/Good-Friend-Inc
+ Good Friend Inc
+ To create autism awareness, teach acceptance of differences, and foster empathy for individuals on the autism spectrum.
+
+
+
+ https://staging.giveth.io/project/Seeds-of-Wisdom
+ Seeds of Wisdom
+ Our mission is to safeguard the enduring legacy of Indigenous wisdom traditions while fostering a deeper understanding of their profound relevance and intrinsic values in our contemporary world.
+
+
+
+ https://staging.giveth.io/project/Change-for-Good
+ Change for Good
+ Change for Good: An innovative partnership between UNICEF and the international airline industry.<br><br>What does one do with all that spare change in a different currency after a well-spent holiday or a business trip abroad? Why not donate it to a good cause! This was the thinking that launched Change for Good in 1991 an initiative between UNICEF and the international airline industry. Today, this programme is one of UNICEF’s best known and longest running partnerships.
+
+
+
+ https://staging.giveth.io/project/Hand-in-Hand-Parenting
+ Hand in Hand Parenting
+ Our mission is to help parents when parenting gets hard by supporting them to relieve stress and providing them with the insights and skills they need to listen to and connect with their children in a way that allows each child to thrive. <br><br> For donors: Please check that youd like a tax receipt and that youd like your email address shared with Hand in Hand Parenting if youd like the organization to receive your contact information and acknowledge your gift.
+
+
+
+ https://staging.giveth.io/project/Marshall-Project-Inc
+ Marshall Project Inc
+ The Marshall Project is a nonprofit, nonpartisan news organization covering criminal justice.
+
+
+
+ https://staging.giveth.io/project/Kansas-Wesleyan-University
+ Kansas Wesleyan University
+ The mission of Kansas Wesleyan University is to promote and integrate academic excellence, spiritual development, personal well-being and social responsibility.
+
+
+
+ https://staging.giveth.io/project/No-Kid-Hungry-by-Share-Our-Strength
+ No Kid Hungry by Share Our Strength
+ In the wake of the coronavirus, millions of children in the United States are still facing hunger. No Kid Hungry has a plan to make sure those children are fed, as the crisis continues and in the recovery to follow. Through a combination of emergency grants, strategic assistance, advocacy and awareness, No Kid Hungry is helping kids, families and communities get the resources they need, but we need your help to do it. Join us.
+
+
+
+ https://staging.giveth.io/project/World-in-Need-International
+ World in Need International
+ Though the needs of the world are nothing new, the remedies of World In Need are unique. All of its programs and services are self-perpetuating, fortifying, and drawing on the resources of those in need. Like a pebble dropped into a pond, the effects of World In Needs assistance continues long after World In Need has moved on to other villages, communities and countries.
+
+
+
+ https://staging.giveth.io/project/Americas-Charities
+ Americas Charities
+ Americas Charities inspires employees and organizations to support the causes they care about. We help nonprofits fundraise unrestricted, sustainable dollars, and we help people achieve their giving, engagement, and social impact goals. We do this to bring more resources to the nonprofits that are changing our world.
+
+
+
+ https://staging.giveth.io/project/Let-There-Be-Light-International-Inc
+ Let There Be Light International Inc
+ Let There Be Light International (LTBLI) addresses Energy Poverty and Climate Change through innovative solar programming in partnership with grassroots NGOs in sub-Saharan Africa.
+Let There Be Light International is committed to furthering the Sustainable Development Goals through our data-driven programming and outreach/education efforts. LTBLI advances maternal and infant health through our Safe Births + Healthy Homes program and educational outcomes through our Lights4Literacy efforts.
+9,000 mother/baby pairs have received safe solar lights for at-home infant care after delivering at our 8 Safe Births + Healthy Homes frontline health clinics in Uganda. Maternal and infant health has been positively impacted across all 8 sites.
+
+
+
+ https://staging.giveth.io/project/Pilgrim-Lutheran-Christian-Church-and-School
+ Pilgrim Lutheran Christian Church and School
+ Our purpose at Pilgrim Lutheran Church is to share with all people the love of Jesus and the promise of eternal life. The school is "Equipping Children for Life" by serving with church and home in developing the whole child — body, mind, and spirit.
+
+
+
+ https://staging.giveth.io/project/Fight-For-the-Future-Education-Fund
+ Fight For the Future Education Fund
+ We harness the power of the Internet to channel outrage into action, defending our most basic rights in the digital age.
+We fight to ensure that technology is a force for empowerment, free expression, and liberation rather than tyranny, corruption, and structural inequality.
+We are an intentionally small, fierce team of technologists, creatives, and policy experts working to educate and mobilize at an unprecedented scale, achieving victories previously thought to be impossible.
+
+
+
+ https://staging.giveth.io/project/Asian-Americans-United
+ Asian Americans United
+ Established in 1985, Asian Americans United exists so that people of Asian ancestry in Philadelphia ercise leadership to build their communities and unite to challenge oppression.
+
+
+
+ https://staging.giveth.io/project/Myanmar-Hope-Christian-Mission
+ Myanmar Hope Christian Mission
+ Our Mission: To bring the eternal hope of Jesus Christ to the people of Myanmar by meeting their spiritual, physical, educational, and emotional needs.
+
+
+
+ https://staging.giveth.io/project/Society-of-St-Andrew
+ Society of St Andrew
+ The Society of St. Andrew brings people together to harvest and share healthy food, reduce food waste, and build caring communities by offering nourishment to hungry neighbors.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Colorado
+ Make-A-Wish Colorado
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-America
+ Make-A-Wish America
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/NATIONAL-MATH-AND-SCIENCE-INITIATIVE-INC
+ NATIONAL MATH AND SCIENCE INITIATIVE INC
+ We believe STEM education is the greatest lever to accessing opportunity, and is unmatched in unlocking student potential.
+
+NMSIs mission is to advance STEM education to ensure all students, especially those furthest from opportunity, thrive and reach their highest potential as problem solvers and lifelong learners who pursue their passions and tackle the worlds toughest challenges.
+
+
+
+ https://staging.giveth.io/project/Every-Shelter-Inc
+ Every Shelter Inc
+ Our mission is to build localized refugee-aid ecosystems centered around the needs, preferences, & aspirations of refugees.
+
+
+
+ https://staging.giveth.io/project/Harpers-Playground
+ Harpers Playground
+ Harper’s Playground inspires vital communities by creating inviting playgrounds for people of all abilities.
+
+
+
+ https://staging.giveth.io/project/Jewish-Federation-of-Metropolitan-Detroit
+ Jewish Federation of Metropolitan Detroit
+ The Jewish Federation of Metropolitan Detroit is the cornerstone of our Jewish Community. We are committed to taking care of the needs of the Jewish people and building a vibrant Jewish future, in Detroit, in Israel and around the world.
+
+
+
+ https://staging.giveth.io/project/Childrens-Tumor-Foundation
+ Childrens Tumor Foundation
+ Neurofibromatosis (NF) causes tumors to grow on nerves throughout the body, and affects 1 in every 3,000 people of every population.
+
+Our Mission: Drive research, expand knowledge, and advance care for the NF community.
+
+Our Vision: End NF.
+
+
+
+ https://staging.giveth.io/project/Pursuit-Transformation-Company-Inc
+ Pursuit Transformation Company, Inc
+ Based in the New York metro area, Pursuit is an innovative social impact organization whose mission is to close the prosperity gap in America. Each year, our work builds pathways to lucrative, long-term tech careers for hundreds of diverse, low-income, high-potential adults.
+
+
+
+ https://staging.giveth.io/project/Operation-Save-The-Streets
+ Operation Save The Streets
+ Our mission at "Operation Save The Streets" is to provide immediate relief to the homeless community! Operation Save The Streets (OSTS) provides many support services to give valuable care to each person.
+What makes OSTS organization unique is our "mobile services" because we specialize in seeking out the most critical homeless areas throughout Los Angeles County. OSTS provides essential necessities to help balance life in an unstable environment-always free of charge. OSTS objective is to reach-out to all demographics of the homeless community and continue to provide exceptional services to help ease life on the streets. We want to help the maximum number of people who are in genuine and dire need of our assistant to pursue a normal life.
+
+
+
+ https://staging.giveth.io/project/Continuum-of-Care
+ Continuum of Care
+ Continuum of Cares mission is to enable people who are struggling or challenged with mental illness, intellectual disabilities, and/or struggling with co-occurring substance use disorder to rebuild a meaningful life and thrive in the community.<br><br>Most of our clients have been homeless, repeatedly hospitalized, or institutionalized, and we help them obtain the treatments, housing, and support they need to move forward toward a sustainable journey of lifelong recovery in the community.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-For-New-York-City
+ Food Bank For New York City
+ The mission of Food Bank For New York City is We empower every New Yorker to achieve food security for good. Food Bank For New York City has been working to end food poverty in our five boroughs for 40 years. As the citys largest hunger-relief organization, we harness the collective power of our network of food providers, partners, and volunteers to activate the right resources, supports, and expertise across the five boroughs. Our work with 800+ soup kitchens, food pantries, and campus partners provides immediate and reliable access to food and nutrition education, while our economic empowerment programs give people the tools and know-how to improve their financial wellness. Community by community, we work together to make progress on a more hopeful, dignified, & equitable future for all.
+
+
+
+ https://staging.giveth.io/project/Hamilton-Community-Foundation-Inc
+ Hamilton Community Foundation, Inc
+ Building a better community through creative philanthropy, vision and leadership.
+
+
+
+ https://staging.giveth.io/project/Covenant-House-California
+ Covenant House California
+ Covenant House California is dedicated to serving all Gods children, with absolute respect and unconditional love, to help youth experiencing homelessness, and to protect and safeguard all youth in need.<br><br>We believe that no young person deserves to be homeless; that every young person in California deserves shelter, food, clothing, education and most importantly, to be loved. And we believe that it is our responsibility, as a community, to ensure that young people are given the opportunities that they deserve to achieve their dreams.
+
+
+
+ https://staging.giveth.io/project/American-Foundation-for-Suicide-Prevention
+ American Foundation for Suicide Prevention
+ Our mission is to save lives and bring hope to those affected by suicide.
+
+
+
+ https://staging.giveth.io/project/Foundation-for-Economic-Education-Inc
+ Foundation for Economic Education, Inc
+ FEE strives to bring about a world in which the economic, legal, and ethical principles of a free society are familiar, credible, and compelling to the rising generation.
+
+These principles include individual liberty, free-market economics, entrepreneurship, private property, and strong personal character.
+
+
+
+ https://staging.giveth.io/project/Watchtower-Bible-and-Tract-Society-of-New-York-Inc
+ Watchtower Bible and Tract Society of New York, Inc
+ Watchtower Bible and Tract Society of New York, Inc., is a religious organization organized to support the activities of Jehovahs Witnesses in the United States, such as the preaching and teaching of Gods Word, the Bible. In an effort to teach as many people as possible, the organization records, produces, prints, and distributes Bibles and Bible-based literature, music, art, and other intellectual property of a religious or educational nature in any medium in over 1,000 languages. Watchtower Bible and Tract Society of New York, Inc., also uses voluntary contributions to provide facilities for the administration of Jehovahs Witnesses activities and to provide humanitarian assistance to individuals who have suffered from natural or man-made disasters.
+
+
+
+ https://staging.giveth.io/project/John-P-McGovern-Museum-of-Health-Medical-Science
+ John P McGovern Museum of Health Medical Science
+ The Health Museums mission is to foster wonder and curiosity about health, medical science and the human body.
+
+
+
+ https://staging.giveth.io/project/VegFund
+ VegFund
+ VegFund empowers vegan activists worldwide by funding and supporting effective outreach activities that inspire individuals and communities to consider the adoption of plant-based diets and a vegan lifestyle. VegFund activists 1) raise awareness about the extent and severity of animal exploitation attributable to human food systems, 2) share how adopting plant-based diets and vegan living is fundamental to environmental protection and climate change mitigation and 3) educate the public about the contributions of plant-based diets to improved human health and food justice.
+
+
+
+ https://staging.giveth.io/project/Florida-Rights-Restoration-Coalition-Inc
+ Florida Rights Restoration Coalition Inc
+ We are dedicated to ending the disenfranchisement and discrimination against people with convictions, and creating a more comprehensive and humane reentry system that will enhance successful reentry, reduce recidivism, and increase public safety.
+
+
+
+ https://staging.giveth.io/project/Chinese-Culture-and-Community-Service-Center-Inc
+ Chinese Culture and Community Service Center, Inc
+ (1) To unite and to strengthen the bonds of the Chinese American community and to encourage the cooperation among Chinese American organizations.\n(2) to provide services to the Chinese and local communities.\n(3) to promote mutual understanding and appreciation of Chinese and American culture and heritage.\n(4) to enhance the positive image and to protect the interests of Chinese Americans.
+
+
+
+ https://staging.giveth.io/project/Generousaf-Foundation
+ Generousaf Foundation
+ We are a 501c3 Social Impact Non-Profit focused on inspiring and educating people to be generous. We support people building STEAM initiatives that uplift their community. We look for underrepresented research projects that need resources and/or funding. We also host educational STEAM-related workshops to bridge information gaps in our local communities. Our goal is to strengthen local innovations and develop leaders that build equity within their community.
+
+
+
+ https://staging.giveth.io/project/Asian-Inc
+ Asian, Inc
+ ASIAN, Inc. empowers economic equity by creating opportunities in business development, housing and financial education for Asian Americans and other socioeconomically disadvantaged populations.
+
+
+
+ https://staging.giveth.io/project/Tucson-Herpetological-Society
+ Tucson Herpetological Society
+ Dedicated to the conservation, research, and education concerning the amphibians and reptiles of Arizona and Mexico.
+
+
+
+ https://staging.giveth.io/project/Mwana-Villages
+ Mwana Villages
+ Mwana Villages is a grassroots organization in the Republic of Congo that provides refuge within orphanhood to vulnerable children and families. Our nontraditional model prioritizes family preservation and reunification wherein the cycle of orphanhood is broken.
+
+
+
+ https://staging.giveth.io/project/Every-Mother-Counts
+ Every Mother Counts
+ Every Mother Counts works to achieve quality, respectful, and equitable maternity care for all by giving grants and working with partners and thought leaders to increase awareness and mobilize communities to take action.
+
+
+
+ https://staging.giveth.io/project/Egirl-Power-Inc
+ Egirl Power Inc
+ eGirl Power is an IRS-approved 501(c)3 nonprofit organization with a mission to educate and support young girls through leadership skills development and career exploration with a focus on Cybersecurity and STEM. eGirl Powers goals are to empower girls to improve their confidence, self-esteem, and achieve their full potential. The key objective is to help girls identify and build upon their personal skills and talents, and prepare for college and career readiness through educational workshops, mentorship and more.
+
+
+
+ https://staging.giveth.io/project/Ceciliaville
+ Ceciliaville
+ Ceciliaville is a non-denominational charitable organization incorporated in the State of Michigan (501(c)3 designation pending) who seeks to bring a world-class sports facility and community center to the area around St. Charles Lwanga Parish, formerly St. Cecilia Parish, in Detroit’s Russell Woods/Nardin Park neighborhood. The facility’s athletic programs will be accompanied by mentoring and tutoring services, job training, and financial literacy resources all available in an adjacent community center.
+
+
+
+ https://staging.giveth.io/project/Texas-Organizing-Project-Education-Fund
+ Texas Organizing Project Education Fund
+ Texas Organizing Project Education Fund (TOP ED Fund)improves the lives of low and moderate income Texas families by building power through community organizing and civic engagement.
+
+
+
+ https://staging.giveth.io/project/Children-International
+ Children International
+ Like the world-changers who support our organization, we are focused on making a long-term impact by helping kids living in poverty. We have a bold vision: graduating healthy, educated, empowered and employed young adults from our program so they can achieve the goal of breaking the cycle of poverty.
+
+
+
+ https://staging.giveth.io/project/Action-In-Africa-Inc
+ Action In Africa Inc
+ Action in Africa strives to educate, inspire, and empower people in Uganda by focusing on education and community development. Our goal is to provide sustained education, allowing individuals to reach their untapped potential and incite economic growth by becoming the next leaders, innovators, and entrepreneurs in their country.
+
+
+
+ https://staging.giveth.io/project/Wayuu-Taya-Foundation-Inc
+ Wayuu Taya Foundation Inc
+ To improve the living conditions of Latin American indigenous people while maintaining and respecting their traditions, culture and beliefs
+
+
+
+ https://staging.giveth.io/project/Circle-of-Care-for-Families-of-Children-with-Cancer-Inc
+ Circle of Care for Families of Children with Cancer, Inc
+ Circle of Care for families of children with cancer is a nonprofit organization that provides practical, emotional, and financial support from day of diagnosis, through treatment, and beyond. Their programs and services address the unique and challenging non-medical needs of childhood cancer because, having been there themselves, they know kids need more than medicine to heal.<br><br>Circle of Care’s story began with mothers who had heard the words no one ever wants to hear, “Your child has cancer.” Since 2003, the organization has been fulfilling its mission to help ease the journey for families facing childhood cancer—supporting over 3000 families in Connecticut, transforming 150 rooms through their dream makeover program, and providing over $2M in direct financial support.<br><br>A childhood cancer diagnosis involves an immediate immersion into hospital life requiring parents and caretakers to adapt to an entirely new way of life. Circle of Care continues to stand with these families in treatment, providing a unique set of programs and services that supply immediate and needed support at every step of these families’ journeys. <br><br>While many cancer organizations offer episodic assistance, like a summer away at camp or a day trip, Circle of Care is a constant source of support. They are the only pediatric cancer organization in Connecticut that has services to last through, and beyond, a child’s cancer treatment. They are also the only pediatric cancer organization in Connecticut that offers financial assistance and other services to young adults, up to age 26. This extensive reach fills a critical service gap in the state.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities(r)-of-Chicagoland-Northwest-Indiana
+ Ronald McDonald House Charities® of Chicagoland Northwest Indiana
+ We exist so families can get better together.
+
+
+
+ https://staging.giveth.io/project/Trinity-Christian-School-Sharpsburg-Inc
+ Trinity Christian School Sharpsburg, Inc
+ Our mission is to prepare today’s student to impact tomorrows world: by educating minds for cultural engagement, equipping hearts for character development, and empowering hands for compassionate service.
+
+
+
+ https://staging.giveth.io/project/Houston-Food-Bank
+ Houston Food Bank
+ Houston Food Bank’s mission is to provide food for better lives. In the last fiscal year, which includes COVID-19 response, we provided access to 159 million nutritious meals in 18 counties in southeast Texas through our 1,600 community partners of food pantries, social service providers and schools. Filling gaps on plates, we have a strong focus on healthy foods and fresh produce. In collaboration with our community, we advocate for policy change and racial equity, and promote dialogue on ways to increase access to food and to improve the lives of those in our communities, including services and connections to programs that address the root causes of hunger and are aimed at helping families achieve long-term stability.
+
+
+
+ https://staging.giveth.io/project/Coalition-for-the-Homeless-of-HoustonHarris-County
+ Coalition for the Homeless of HoustonHarris County
+ The Coalition for the Homeless of Houston/Harris County acts as a catalyst, uniting partners and maximizing resources to move people experiencing homelessness into permanent housing with supportive services.
+
+
+
+ https://staging.giveth.io/project/West-Harlem-Environmental-Action-Inc-(WE-ACT-for-Environmental-Justice)
+ West Harlem Environmental Action, Inc (WE ACT for Environmental Justice)
+ West Harlem Environmental Action, Inc. (WE ACT for Environmental Justice) is a Northern Manhattan community-based organization whose mission is to build healthy communities by assuring that people of color and/or low-income participate meaningfully in the creation of sound and fair environmental health and protection policies and practices. As a result of our ongoing work to educate and mobilize the more than 630,000 residents of Northern Manhattan on environmental issues affecting their quality of life, WE ACT has become a leader in the nationwide movement for environmental justice, influencing the creation of federal, state and local policies affecting the environment.
+
+
+
+ https://staging.giveth.io/project/Soma-Church
+ Soma Church
+
+
+
+
+ https://staging.giveth.io/project/Norwalk-Hospital-Foundation
+ Norwalk Hospital Foundation
+ Philanthropy supports healthcare excellence at Nuvance Health, enabling us to enhance programs and priorities that improve patient care, research and medical education.
+
+
+
+ https://staging.giveth.io/project/The-UCLA-Foundation
+ The UCLA Foundation
+ Actively promoting philanthropy and managing donated resources for the advancement of UCLA
+
+
+
+ https://staging.giveth.io/project/National-Multiple-Sclerosis-Society
+ National Multiple Sclerosis Society
+ We will cure MS while empowering people affected by MS to live their best lives.
+
+
+
+ https://staging.giveth.io/project/Starlight-Childrens-Foundation
+ Starlight Childrens Foundation
+ Starlight Children’s Foundation is a 501(c)3 organization that delivers happiness to seriously ill children and their families. Since 1982, Starlight’s ground-breaking and innovative programs, like Starlight Virtual Reality, Starlight Hospital Wear, and Starlight Gaming, have impacted 17 million kids at more than 800 children’s hospitals across the U.S. To learn more and to help Starlight deliver happiness to seriously ill kids this year, visit www.starlight.org.
+
+
+
+ https://staging.giveth.io/project/4Mycity-Inc
+ 4Mycity Inc
+ At 4MyCiTy, our focus is on the Importance of environmental sustainability. Primarily the sustainable management of food in relation to reducing organic waste. Our program limits the harmful effects caused by organic waste on our environment while improving food security for families within our communities.
+
+
+
+ https://staging.giveth.io/project/Asian-American-Health-Coalition-of-the-Greater-Houston-Area
+ Asian American Health Coalition of the Greater Houston Area
+ The mission of the Asian American Health Coalition is to provide quality health care to all people without any prejudice in the greater Houston area in a culturally and linguistically competent manner.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-For-Rockbridge-Bath-and-Alleghany
+ Community Foundation For Rockbridge Bath and Alleghany
+ CFRBAs mission is to improve the quality of life in the Foundations service area by building permanent endowments and providing philanthropic leadership that enable donors to make lasting investments in the community.
+
+
+
+ https://staging.giveth.io/project/Annie-Malone-Children-and-Family-Services
+ Annie Malone Children and Family Services
+ Our Mission is to improve the quality of life for children, families, the elderly and the community, by providing social services, educational programs, advocacy and entrepreneurship in the St. Louis metropolitan community.
+
+
+
+ https://staging.giveth.io/project/Elm-City-Vineyard-Church
+ Elm City Vineyard Church
+ We begin with several songs of worship led by some gifted musicians. Vineyard music is known for being contemporary and dynamic so, for instance, we have a band rather than a choir and an organ. Each music set is chosen from eclectic traditions, including rock, folk, gospel, and hymns. Some people may physically express their praise through raised hands, movement, and loud singing and shouts others are still and quiet. In this time of response, people often discover God responds back. Some feel a sense of joy or peace, others cry, and some feel God grabbing their attention about something brought up in the service. You may find yourself worshipping in one style one week and another the next. The same might be true for how God responds to you. This diversity is reflective of our pursuit of a living and dynamic God.
+
+
+
+ https://staging.giveth.io/project/Steelheart-International-Foundation
+ Steelheart International Foundation
+ Steelheart International was originated in 1998 and resurrected in 2011 to provide safe housing, water, sanitation, power, food security and elevated levels of income in developing countries.
+
+
+
+ https://staging.giveth.io/project/CitySeed
+ CitySeed
+ To engage the community in growing an equitable, local food system that promotes economic development, community development and sustainable agriculture.
+
+
+
+ https://staging.giveth.io/project/Sesame-Workshop
+ Sesame Workshop
+ Sesame Workshop is the nonprofit organization behind Sesame Street, the pioneering television show that has been helping kids grow smarter, stronger and kinder since 1969. Today Sesame Workshop is a global educational force for change, with a mission to reach the worlds most vulnerable children. Were active in more than 150 countries, serving kids through a wide range of media and philanthropically-funded social impact programs, all grounded in rigorous research and individually tailored to the needs and cultures of the communities we serve. Sesame is a beloved household name in dozens of languages, and it means learning – and fun – in all of them.
+
+
+
+ https://staging.giveth.io/project/BBB-Wise-Giving-Alliance
+ BBB Wise Giving Alliance
+ BBB Wise Giving Alliance is a standards-based charity evaluator that works to verify the trustworthiness of publicly-soliciting charities. We complete rigorous evaluations based on the 20 BBB Standards for Charity Accountability. We have been reporting on charities for more than 100 years. Our goals are to 1) help donors make informed giving decisions and 2) help charities demonstrate their trustworthiness. There is no charge to charities for the accountability assessment and all of our reports are freely accessible on Give.org.
+
+
+
+ https://staging.giveth.io/project/Yellowhammer-Fund
+ Yellowhammer Fund
+ Yellowhammer fund is a reproductive justice organization dedicated to ensuring all people have the ability to decide when and how to build their families, regardless of race, income, location, age, gender, sexuality, disability, documentation status or number of children.
+
+
+
+ https://staging.giveth.io/project/International-Child-Art-Foundation
+ International Child Art Foundation
+ Mission
+To seed American schoolchildrens imagination, cultivate their creativity, and grow mutual empathy among them and their peers worldwide through the universal language of art for a more peaceful, prosperous, and sustainable future.
+
+Vision
+To democratize creativity for the AI Revolution and metastasize empathy for “a more perfect union.”
+
+Services
+We organize the Arts Olympiad, a free school art program, produce the World Children’s Festival at the National Mall across the U.S. Capitol, and publish the ad-free ChildArt quarterly.
+
+We organize Healing Art Programs, Peace through Art Programs, interactive art exhibitions, and youth panels at conferences.
+
+ICAF pioneered STEAMS education (STEM + Art + Sport) for childrens holistic development
+
+
+
+ https://staging.giveth.io/project/Feeding-Pets-of-the-Homeless
+ Feeding Pets of the Homeless
+ Feeding Pets of the Homeless® believes in the healing power of companion pets and of the human/animal bond, which is very important in the lives of many homeless. They find solace, protection and companionship through their pets. They care for their pets on limited resources so they themselves have less. Our task, nationwide, is to feed and provide basic emergency veterinary care to their pets and thus relieve the anguish and anxiety of the homeless who cannot provide for their pets.
+
+
+
+ https://staging.giveth.io/project/Esperanca-Inc
+ Esperança, Inc
+ We build optimal social, mental, and physical health in under-resourced communities across the globe.
+
+
+
+ https://staging.giveth.io/project/Change-Church-A-NJ-Nonprofit-Corporation
+ Change Church A NJ Nonprofit Corporation
+
+
+
+
+ https://staging.giveth.io/project/National-Council-on-Problem-Gambling
+ National Council on Problem Gambling
+ Purpose: To serve as the national advocate to mitigate gambling-related harm.<br><br>Vision: To improve health and wellness by reducing the personal, social and economic costs of problem gambling.<br><br>Mission: To lead state and national stakeholders in the development of comprehensive policy and programs for all those affected by problem gambling.
+
+
+
+ https://staging.giveth.io/project/Redwood-Empire-Food-Bank
+ Redwood Empire Food Bank
+ Mission: Our mission is simple—to end hunger in our community. We distribute food through our own programs and our partner organizations in Sonoma, Lake, Mendocino, Humboldt, and Del Norte counties. As the largest hunger-relief organization in our area, we work on the front lines of emergency food assistance in our region, playing a crucial role in helping individuals, families, seniors, and children.
+
+
+
+ https://staging.giveth.io/project/Ddr-Sanctuary
+ Ddr Sanctuary
+ 501(c)3 Sanctuary dedicated to creating spaces for people to pursue the state of flow, find transcenden.
+
+
+
+ https://staging.giveth.io/project/Prison-Entrepreneurship-Program-Inc
+ Prison Entrepreneurship Program, Inc
+ Our mission is to unite executives and inmates through entrepreneurial passion and servant leadership to transform lives, restore families and rebuild communities.
+
+
+
+ https://staging.giveth.io/project/Mustard-Seed-Communities
+ Mustard Seed Communities
+ Inspired by the healing and caring Ministry of Jesus Christ, we aim through the positive interaction of caring, sharing and training, to uplift the most vulnerable members of society, especially disabled and abandoned children, and marginalized communities. We are committed to the fostering of homes and communities, which will lead us all to loving service and mutual respect and which will bring us joy, hope and dignity.
+
+
+
+ https://staging.giveth.io/project/Oak-Valley-College
+ Oak Valley College
+ Oak Valley College serves predominantly low-income and first-generation students through offering quality, Christian business education. Students graduate in less than 3 years with a Bachelors degree in Business with NO student loans.
+
+
+
+ https://staging.giveth.io/project/Artshack-Brooklyn
+ Artshack Brooklyn
+ The organizations primary mission is to foster creativity, self-respect, and empower children, adults, and families through the use of ceramics.
+
+
+
+ https://staging.giveth.io/project/Rising-Star-Outreach-Inc
+ Rising Star Outreach, Inc
+ Rising Star Outreach empowers individuals and families to rise above the stigma associated with leprosy and to live healthy, productive lives through quality education, medical care, and community development.
+
+
+
+ https://staging.giveth.io/project/Mona-Foundation
+ Mona Foundation
+ We support grassroots organizations around the world that educate children, empower women and girls, and emphasize ethics and service to the community. These include initiatives in economically disadvantaged areas which focus on quality of learning and teaching, fine arts, and character development to train capable, ethical, and altruistic leaders who contribute to the betterment of their families, communities, and ultimately their nation.
+
+In 2022 Mona supported 26 educational initiatives in 15 countries supporting the education and empowerment of 1,662,548 students, both in-class & online. Program Support Categories include Access, Teacher Training, and Girls Empowerment programs.
+
+
+
+ https://staging.giveth.io/project/Be-The-Match-Foundation
+ Be The Match Foundation
+ Be The Match Foundation supports the life-saving mission of Be The Match/National Marrow Donor Program, ensuring that patients diagnosed with blood cancers such as leukemia and other diseases get the stem cell transplant they need for a second chance at life. A transplant offers hope for a cure. We connect patients with their genetically matched stem cell donors and provide comprehensive support throughout the transplant journey, from diagnosis through recovery, and we conduct medical research to improved outcomes and quality of life for transplant patients. Our patients and stem cell donors are primarily in the United States, but many donors and patients served by our mission are based internationally; at locations throughout the globe.
+
+
+
+ https://staging.giveth.io/project/YUWA-India
+ YUWA India
+ Yuwa uses soccer and education to help girls take their futures into their own hands. Located in the heart of rural India, our mission is to enable at-risk girls to reach their full potential, developing critical and creative thinking skills, and becoming compassionate, empowered leaders in their communities. When girls know their worth, theyre limitless.
+
+
+
+ https://staging.giveth.io/project/Torch-Foundation
+ Torch Foundation
+ Vision Statement
+
+The Torch Foundation’s vision is for all teens to be responsible, authentic, empowered, and confident leaders who create extraordinary results not only for themselves but also for their families and the world at large.
+Mission Statement
+
+Our mission is to provide transformational workshops that promote self-awareness, emotional intelligence, and leadership skills for our teens. By instilling compassion, confidence, and integrity in our youth, we are creating an ever-widening circle of leaders.
+
+
+
+ https://staging.giveth.io/project/Dev-Color
+ Dev Color
+ To empower black software engineers to help one another grow into industry leaders.
+
+
+
+ https://staging.giveth.io/project/New-Civil-Liberties-Alliance
+ New Civil Liberties Alliance
+ The New Civil Liberties Alliance (NCLA) protects constitutional liberties from systemic threats, primarily the administrative state. In opposition to the administrative usurpation of legislative and judicial powers, NCLA defends the freedom of Americans to live under state and federal laws enacted by their elected representatives and their right to have these laws enforced against them in courts with impartial judges. It asserts their right to juries and the due process of law. NCLA demands that judges exercise independent and unbiased judgment without deferring to administrative agencies. Concerned about the growing administrative control of speech, NCLA defends the freedom of Americans to inquire, speak, and publish freely, unrestrained by administrative restrictions.
+
+
+
+ https://staging.giveth.io/project/Reality-San-Francisco-Church
+ Reality San Francisco Church
+ The mission of our church seeks to answer the question, "Why do we exist?" And it’s the same as what the Church’s mission has been for over 2,000 years. To make disciples of all nations, teaching them to obey everything Jesus has commanded.
+
+
+
+ https://staging.giveth.io/project/Many-Hopes
+ Many Hopes
+ Many Hopes rescues children from poverty and abuse and raises them with an imagination for justice and the tools to act on it. We educate local children to solve the problems that charity alone cannot. The Many Hopes Justice Framework is a template for sustainable, replicable justice globally.
+
+
+
+ https://staging.giveth.io/project/Rescue-Now
+ Rescue Now
+ Rescue Now is a humanitarian organization that provides immediate relief and long-term solutions to war-affected people.
+
+We provide emotional support, rapid delivery of humanitarian aid, medicine, medical equipment, survival appliances, and repair materials to rebuild homes.
+
+We evacuated 1,920 people (739 people in difficulty, 855 pets), found temporary and long-term housing for 620 people, and received and distributed 679 tonnes of humanitarian kits, food, and hot meals to 86,824 people. More than 650 older people are under our care, and 300 families with children receive regular psycho-emotional support.
+
+We believe in the power of collaboration and partnership. We work with local communities, organizations, and governments to provide effective and sustainable solve humanitarian crises
+
+
+
+ https://staging.giveth.io/project/Heaven-on-Earth-Cat-Rescue
+ Heaven on Earth - Cat Rescue
+ We save cats and kittens in Los Angeles! Our mission is to transform the lives of homeless cats through rescue, sanctuary, and new beginnings. For 21+ years, with support from people just like you, we’ve rescued thousands of cats and kittens from overcrowded Los Angeles area shelters and directly from the streets.
+
+
+
+ https://staging.giveth.io/project/Farm-Discovery-at-Live-Earth
+ Farm Discovery at Live Earth
+ Empowering youth and families to regenerate health: food, farming, nature and community.
+
+
+
+ https://staging.giveth.io/project/Red-Cloud-Renewable
+ Red Cloud Renewable
+ Red Cloud Renewable is a federally recognized 501 (c)(3) non-profit organization founded and operated by Lakota Elder, Henry Red Cloud.<br><br>Our mission is to stimulate a significant revisioning of tribal communities where energy is created in renewable ways, meals are nutritional and fortified by traditional Lakota foods, homes are built in a sustainable way with local builders and materials, and the land is cared for and regenerated with the next seven generations in mind.<br><br>Henry is a fifth-generation direct descendant of the great Lakota leader Chief Red Cloud (Mahpiya Luta). Today, Henry continues along a different path of leadership - one that is a new way to honor the old way – based on building energy independence for Native American communities across the Great Plains and far beyond.
+
+
+
+ https://staging.giveth.io/project/Ubongo-International
+ Ubongo International
+ To use top quality, localized edutainment to help Africa’s 440 million kids learn, and to leverage their learning to change their lives.
+
+
+
+ https://staging.giveth.io/project/Genital-Autonomy-Legal-Defense-and-Education-Fund-(GALDEF)
+ Genital Autonomy Legal Defense and Education Fund (GALDEF)
+ GALDEF envisions a world where the rights of children to bodily integrity and future autonomy over their genitals and their sexuality are respected and protected. Our mission is to support impact litigation that expands protection of at-risk childrens bodily integrity, genital autonomy and human rights, regardless of sex or gender identity; to expand awareness in the legal community, as well as the general public; to build coalitions of support for children’s bodily integrity rights; and to raise the funds necessary to assist with the costs of litigation that advances the GALDEF mission.
+
+
+
+ https://staging.giveth.io/project/Hispanic-Unity-of-Florida-Inc
+ Hispanic Unity of Florida, Inc
+ Empowering immigrants and others to become self-sufficient, productive and civically engaged.
+
+
+
+ https://staging.giveth.io/project/Oceanic-Society
+ Oceanic Society
+ Oceanic Society works to improve ocean health by deepening the connections between people and nature to address the root cause of its decline: human behavior.
+
+
+
+ https://staging.giveth.io/project/Massachusetts-Society-for-the-Prevention-of-Cruelty-to-Animals
+ Massachusetts Society for the Prevention of Cruelty to Animals
+ The Mission of the Massachusetts Society for the Prevention of Cruelty to Animals-Angell Animal Medical Center is to protect animals, relieve their suffering, advance their health and welfare, prevent cruelty, and work for a just and compassionate society.
+
+
+
+ https://staging.giveth.io/project/University-of-South-Carolina-Educational-Foundation
+ University of South Carolina Educational Foundation
+ Support the university of South Carolina in all of its educational, instructional, scientific, and literary, research, service, charitable and outreach endeavors.
+
+
+
+ https://staging.giveth.io/project/Napa-Land-Trust
+ Napa Land Trust
+ Land Trust of Napa County is a local nonprofit dedicated to preserving the character of Napa by permanently protecting land. The Land Trust works cooperatively with landowners and our community to protect agricultural land, water resources, wildlife and wildlife corridors, scenic open space, forests, ranches, wildflower meadows and native biodiversity throughout Napa County.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Lobkowicz-Collections
+ Friends of the Lobkowicz Collections
+ Friends of the Lobkowicz Collections is a U.S. 501(c)(3), or non-profit structure, which works in partnership with Lobkowicz Collections, o.p.s. and allows for tax deductible contributions from U.S. residents. <br> <br>Lobkowicz Collections, o.p.s. (est. 1994) is the Czech non-profit entity and public-benefit organization that oversees the management, conservation, and restoration of the Lobkowicz Collections and provides the curatorial, administrative, and educational programming to make them accessible to audiences worldwide. <br><br>The Lobkowicz Collections are one of Europe’s oldest and finest private collections, comprised of items dating back over 2,000 years. Among tens of thousands of objects are outstanding fine and decorative arts, arms and armor, musical manuscripts, and a 65,000-volume rare books library, along with millions of archival documents—built upon centuries of patronage and stewardship.
+
+
+
+ https://staging.giveth.io/project/Tufts-University
+ Tufts University
+ Tufts is a student-centered research university dedicated to the creation and application of knowledge. We are committed to providing transformational experiences for students and faculty in an inclusive and collaborative environment where creative scholars generate bold ideas, innovate in the face of complex challenges and distinguish themselves as active citizens of the world.
+
+
+
+ https://staging.giveth.io/project/Human-Being-Society
+ Human Being Society
+ we strive to improve the lives of those in need within the community.
+
+
+
+ https://staging.giveth.io/project/Syrian-Emergency-Task-Force
+ Syrian Emergency Task Force
+ The Syrian Emergency Task Force aims to bring an end to atrocities against Syrian civilians through advocacy, humanitarian initiatives, and the pursuit of justice and accountability for war crimes.
+
+
+
+ https://staging.giveth.io/project/SEARCH-Homeless-Services
+ SEARCH Homeless Services
+ SEARCH Homeless Services pursues a mission of providing hope, creating opportunity, and transforming lives for the thousands of men, women, and children experiencing homelessness in Houston. As we strive to make homelessness in Houston rare, brief, and nonrecurring, our ultimate vision is a Houston without homelessness.
+
+
+
+ https://staging.giveth.io/project/Wateraid-America-Inc
+ Wateraid America Inc
+ WaterAid transforms lives by improving access to clean water, hygiene and sanitation in the worlds poorest communities. We work with local partners and influence decision-makers to maximize our impact.
+
+
+
+ https://staging.giveth.io/project/Down-Syndrome-Community-(DSC)-of-Puget-Sound
+ Down Syndrome Community (DSC) of Puget Sound
+ To empower people with Down syndrome and their families through life-long learning and experiences while building an accepting and inclusive society.
+
+
+
+ https://staging.giveth.io/project/Wake-Forest-University
+ Wake Forest University
+ Founded in 1834, Wake Forest University is a private university located in Winston-Salem, N.C., with more than 8,000 students. The undergraduate population of more than 5,100 hails from 49 states and more than 50 foreign countries.
+
+
+
+ https://staging.giveth.io/project/Bay-Area-Mural-Program-Inc
+ Bay Area Mural Program Inc
+ The Bay Area Mural Program is dedicated to fostering collaborations through partnerships with community members local organizations artists and businesses. We are using public mural art as a pathway to model our commitment to urban renewal and growth in our struggling neighborhoods. With the establishment of culturally relevant public art we hope that the community will join us in investing in the beautification and celebration of the Bay Areas diverse landscape. We have worked on over 20 local community programs in the year of 2020. Such examples are: The Black Lives Matter mural in San Francisco and The Head Over Heels Project in Oakland.
+
+
+
+ https://staging.giveth.io/project/New-Israel-Fund
+ New Israel Fund
+ Achieve equality for all the citizens of the state regardless of religion, national origin, race, gender or sexual orientation;
+Realize the civil and human rights of all individuals and groups through the protection of Palestinian citizens and other marginalized minorities, including the advancement of collective rights, and opposition to all forms of discrimination and bigotry;
+Recognize and reinforce the essential pluralism of Israeli society and tolerance for diversity;
+Protect the access of minorities to democratic channels for the expression of their interests and identities and the promotion of their rights;
+Empower civil society in Israel as the fundamental vehicle of an open society;
+Build and maintain a just society at peace with itself and its neighbors.
+
+
+
+ https://staging.giveth.io/project/Hermann-Park-Conservancy
+ Hermann Park Conservancy
+ Hermann Park Conservancy is a citizens organization dedicated to the stewardship and improvement of Hermann Park - today and for generations to come. The nonprofit organizations goals include: providing a focus for the improvement of Hermann Park through capital projects and maintenance initiatives; promoting the enjoyment of Hermann Park through education and outreach; and preserving Hermann Parks natural resources and increasing the size and health of the tree canopy.
+
+
+
+ https://staging.giveth.io/project/NextStep-Fitness-Inc
+ NextStep Fitness, Inc
+ NextStep is an internationally recognized non-profit that makes life-changing rehab and fitness accessible and affordable to individuals living with paralysis. Today, most of these individuals are deprived of the resources they desperately need to live long, healthy and happy lives. NextStep’s goal is to open NextStep paralysis recovery centers across the country to ensure an improved quality-of-life and a continuum of care for this underserved population. By offering standardized activity-based therapy programs and interventions, based on research our centers provide the best chance for recovery, independence, and health.
+
+
+
+ https://staging.giveth.io/project/SYLVIA-EARLE-ALLIANCE-MISSION-BLUE
+ SYLVIA EARLE ALLIANCE MISSION BLUE
+ Mission Blue inspires action to explore and protect the ocean.
+
+
+
+ https://staging.giveth.io/project/JewishColumbus-Foundation
+ JewishColumbus Foundation
+ With each thing we do we aspire to unite our community. By working to engage, include and secure each individual, we’re building the best Jewish future in Columbus. We are the largest funder of Jewish programs in Columbus, serving and enriching our community from birth to senior living.
+
+
+
+ https://staging.giveth.io/project/Glasswing-International-USA
+ Glasswing International USA
+ Glasswing is an innovative non-profit development organization, winner of the Skoll Social Entrepreneurship
+Award in 2020, and winner of the 2021-2022 Audacious project, that addresses the root causes of poverty,
+violence, trauma, and migration in Central America, Mexico, and the Caribbean. As an organization founded
+and led in the global south, Glasswing is a leader in positive youth development; trauma-informed
+approaches; community-based learning; formal and non-formal education; locally-driven research and
+evaluation, and cross-sector programming.
+
+
+
+ https://staging.giveth.io/project/Jewish-Federation-of-Greater-Pittsburgh
+ Jewish Federation of Greater Pittsburgh
+ Cultivate resources, connect people and collaborate across the community to live and fulfill Jewish values.
+
+
+
+ https://staging.giveth.io/project/MAUI-UNITED-WAY-INC
+ MAUI UNITED WAY, INC
+ Our mission is to bridge resources that enrich and empower our County of Mauis Community.
+
+
+
+ https://staging.giveth.io/project/Museum-of-Design-Atlanta-Inc
+ Museum of Design Atlanta Inc
+ MODA advances the understanding and appreciation of design as the convergence of creativity and functionality through exhibitions, education and programming for visitors of all ages. MODA envisions a world that celebrates design as a creative force that inspires change, transforms lives and makes the world a better place.
+
+
+
+ https://staging.giveth.io/project/Flint-Global-Partners-Inc
+ Flint Global Partners Inc
+ Like a flint ignites a fire, we ignite change by training, mentoring, and providing critical connections related to business, entrepreneurship, and practical skills for vibrant living.
+
+
+
+ https://staging.giveth.io/project/Gavi-Alliance
+ Gavi Alliance
+ To save childrens lives and protect peoples health by increasing access to immunization in poor countries.
+
+To learn more and support Gavi, please us here: https://donatenow.networkforgood.org/gavi/
+
+
+
+ https://staging.giveth.io/project/National-Network-of-Abortion-Funds-Lilith-Fund
+ National Network of Abortion Funds, Lilith Fund
+ We provide financial assistance and emotional support while building community spaces for people who need abortions in Texas—unapologetically, with compassion and conviction. Through organizing and movement-building, we foster a positive culture around abortion, strengthen people power, and fight for reproductive justice in and with our communities.
+
+
+
+ https://staging.giveth.io/project/Usona-Institute
+ Usona Institute
+ Usona Institute is a medical research organization dedicated to supporting and conducting basic, pre-clinical and clinical research to further the scientific understanding and therapeutic application of consciousness-expanding medicines. <br><br>Our focus is the treatment of society’s most challenging health conditions for which existing treatments fall short.
+
+
+
+ https://staging.giveth.io/project/Canadian-Inter-Varsity-Christian-Fellowship-Inc
+ Canadian Inter-Varsity Christian Fellowship Inc
+ The Mission of the organization is the transformation of Youth, Students and Graduates into committed followers of Jesus Christ.
+
+
+
+ https://staging.giveth.io/project/Natural-Creativity
+ Natural Creativity
+ To help young people and their families enhance their innate ability to think flexibly and meet challenges creatively.
+
+
+
+ https://staging.giveth.io/project/Side-By-Side-Corp
+ Side By Side Corp
+ SIDE BY SIDE PROVIDES COACHING FOR THE JUSTICE-INVOLVED, SO THEY CAN ACHIEVE THEIR VISION FOR THE FUTURE WHILE CREATING SUSTAINABLE, POSTIVE CHANGE IN THEIR LIVES AND COMMUNITIES.
+
+
+
+ https://staging.giveth.io/project/Theatre-Arts-For-Everyone
+ Theatre Arts For Everyone
+ To give everyone the opportunity to be involved in, educated about, and entertained by the art of live theatre.
+
+
+
+ https://staging.giveth.io/project/Safe-Space-NOVA
+ Safe Space NOVA
+ Safe Space NOVA is dedicated to providing a safe, accepting, and supportive environment to combat social stigmas, bullying, and other challenges faced by LGBTQ+ youth.
+
+
+
+ https://staging.giveth.io/project/Teen-Lifeline
+ Teen Lifeline
+ The mission of Teen Lifeline is to prevent teen suicide in Arizona through enhancing resiliency in youth and fostering supportive communities.<br><br>Our work supports the vision of a world where all youth possess a sense of connectedness and hope for their future.
+
+
+
+ https://staging.giveth.io/project/Holocaust-Museum-Houston
+ Holocaust Museum Houston
+ Holocaust Museum Houston is dedicated to educating people about the Holocaust, remembering the 6 million Jews and other innocent victims and honoring the Survivors legacy. Using the lessons of the Holocaust and other genocides, we teach the dangers of hatred, prejudice and apathy.
+
+
+
+ https://staging.giveth.io/project/Austin-Life-Church
+ Austin Life Church
+ Leading people to life in Jesus. At Austin Life, we believe the life we are all looking for is found in knowing, loving, and trusting Jesus, and then in giving our lives away for the glory of God and the good of others.
+
+
+
+ https://staging.giveth.io/project/Veterans-Legal-Institute
+ Veterans Legal Institute
+ Veterans Legal Institute (VLI) provides pro bono legal assistance to homeless, at risk, disabled and low income current and former service members that eradicates barriers to housing, education, employment and healthcare and foster self-sufficiency. The enduring goal is to prevent veteran homelessness and suicide.
+
+
+
+ https://staging.giveth.io/project/Hope-for-Youth-Inc
+ Hope for Youth Inc
+ To build a tech talent network and plug the leaky tech pipeline for women and girls of color through STEM exploration, education, and empowerment
+
+
+
+ https://staging.giveth.io/project/Desperation-Church-Inc
+ Desperation Church Inc
+
+
+
+
+ https://staging.giveth.io/project/Blockchain-at-Columbia-Inc
+ Blockchain at Columbia Inc
+ In the past, currently, and in the future, we have focused and will continue to focus on blockchain education for college and high school students in the New York area. This happens on college campuses, online meetings, and in community halls and is conducted by college students.
+
+
+
+ https://staging.giveth.io/project/Common-Greens
+ Common Greens
+ Our mission is to connect Central Ohio communities with regional farmers and food producers in vibrant, inclusive marketplaces. Were working to build a thriving regional food system where food producers earn a decent living, farmland is kept in sustainable production, and everyone has access to healthy local foods.
+
+
+
+ https://staging.giveth.io/project/Houston-Public-Media-Foundation
+ Houston Public Media Foundation
+ Houston Public Media’s mission is to inform and inspire for the love of Houston. We serve Greater Houston —one of the most diverse cities in America— with free access to informative, educational and inspiring content through a multi-media platform that includes TV 8 | PBS, News 88.7 | NPR and Classical HD. Annually, more than 3 million people in our community engage with our broadcast channels, podcasts, social media platforms, website, mobile app and streaming content.
+Featuring 24/7 curriculum-based children’s programming, we present a diverse range of perspectives on topics and issues that are critical to the future of our region, state and nation. As a service of the University of Houston we are made possible by the generous support of donors, foundations, legacy gifts and sponsors.
+
+
+
+ https://staging.giveth.io/project/MIDDLE-EAST-CHILDRENS-ALLIANCE
+ MIDDLE EAST CHILDRENS ALLIANCE
+ The Middle East Children’s Alliance (MECA) works to protect the rights and improve the lives of children in the Middle East through aid, empowerment and education. In the Middle East, MECA provides humanitarian aid, partners with community organizations to run projects for children, and supports income-generation projects. In the US and internationally, MECA raises awareness about the lives of children in the region and encourages meaningful action.
+
+
+
+ https://staging.giveth.io/project/Malaria-Consortium-US
+ Malaria Consortium US
+ Established in 2003, Malaria Consortium is one of the worlds leading non-profit organisations specialising in the prevention, control and treatment of malaria and other communicable diseases among vulnerable populations. Our mission is to save lives and improve health in Africa and Asia, through evidence-based programmes that combat targeted diseases and promote universal health coverage.
+
+
+
+ https://staging.giveth.io/project/Northwind-Art
+ Northwind Art
+ Northwind Arts mission is inspiring community well-being through art, cultivating creativity, and growing artists. Northwind Art envisions a community rich in the arts for generations to come; where creative culture is a local legacy; fostering generations of accomplished artists and makers; preserving a vibrant quality of life for all.
+
+
+
+ https://staging.giveth.io/project/Los-Angeles-County-High-School-For-The-Arts-Foundation
+ Los Angeles County High School For The Arts Foundation
+ The Los Angeles County High School for the Arts Foundation (LACHSA Foundation) incorporated in 1984 to promote the arts and the advancement of young artists by raising and distributing funds for the establishment and operation of a public arts high school in Los Angeles County. It now focuses on bridging the gap between public support for the schools arts programs and their actual costs. The Foundation also works to celebrate and promote the work of LACHSAs students, faculty, and alumni as well as build partnerships to celebrate and encourage diversity at the school.
+
+
+
+ https://staging.giveth.io/project/Second-Harvest-Food-Bank-Orange-County
+ Second Harvest Food Bank Orange County
+ We are a purpose driven organization committed to doing whatever it takes to ensure all are well fed. Providing dignified, equitable and consistent access to nutritious foods creates a foundation for community health and is a catalyst for societal transformation.
+
+
+
+ https://staging.giveth.io/project/Schools-Mentoring-and-Resource-Team
+ Schools Mentoring and Resource Team
+ SMART champions education equity by supporting students in overcoming systemic barriers on their journey to a college degree.
+
+We envision a community with equitable pathways to college graduation for every student in San Francisco.
+
+
+
+ https://staging.giveth.io/project/Covenant-House
+ Covenant House
+ Covenant House builds a bridge to hope for young people facing homelessness and survivors of trafficking through unconditional love, absolute respect, and relentless support. Our doors are open 24/7 in 31 cities across six countries, and our high-quality programs are designed to empower young people to rise and overcome adversity, today and in the future.
+
+
+
+ https://staging.giveth.io/project/Asian-immigrant-Women-Advocates-Inc
+ Asian immigrant Women Advocates, Inc
+ Asian Immigrant Women Advocates (AIWA) works toward empowerment of low-income Asian immigrant women and youth to bring about positive changes in their communities.
+
+
+
+ https://staging.giveth.io/project/Association-of-Midnight-Basketball
+ Association of Midnight Basketball
+ “Midnight Basketball works to develop strong positive character among youth and young adults through violence prevention, education and youth stability efforts.”
+
+
+
+ https://staging.giveth.io/project/Asian-Americans-Advancing-Justice-Asian-Law-Caucus
+ Asian Americans Advancing Justice - Asian Law Caucus
+ We were founded in 1972 as the nation’s first legal and civil rights organization serving low-paid, immigrant, and underserved Asian American and Pacific Islander communities. Within that broad political umbrella are shared histories and stories, as well as unique systemic inequities and barriers to justice and freedom for different ethnicities. We are committed to serving the vast diversity of communities of Asian descent, including Arab, Middle Eastern, and Muslim communities. Our fights for justice and equity are deeply informed by and in solidarity with fights for liberation by and for Black, Indigenous, and Latinx communities. In California, with a special focus on the Bay Area, we bring together legal services, community empowerment, and policy advocacy to fight for immigrant just
+
+
+
+ https://staging.giveth.io/project/Amazon-Frontlines
+ Amazon Frontlines
+ We build power with indigenous peoples to defend the Amazon rainforest and our climate.
+
+
+
+ https://staging.giveth.io/project/French-American-International-School
+ French American International School
+ Guided by the principles of academic rigor and diversity, the French American International School offers programs of study in French and English to prepare its graduates for a world in which the ability to think critically and to communicate across cultures is of paramount importance.
+
+
+
+ https://staging.giveth.io/project/Homeless-Not-Toothless
+ Homeless Not Toothless
+ Homeless Not Toothless is a 501C(3) nonprofit dedicated to providing free and quality dental care to the homeless, foster youth, and low-income persons in Los Angeles, bringing back one smile at a time. The organization also aims to empower the homeless and underserved by providing access to becoming part of the mainstream workforce again.
+
+
+
+ https://staging.giveth.io/project/Ignatian-Corporation-Saint-Ignatius-High-School
+ Ignatian Corporation Saint Ignatius High School
+ St. Ignatius College Preparatory is a Catholic, Jesuit school serving the San Francisco Bay Area since 1855.
+
+
+
+ https://staging.giveth.io/project/Community-Partners-International
+ Community Partners International
+ Build thriving communities in Southeast Asia through equitable access to quality health services for health and welfare.
+
+We achieve our mission through partnerships that are driven by local organizations using contextually appropriate, evidence-based approaches.
+
+
+
+ https://staging.giveth.io/project/Grace-Cathedral
+ Grace Cathedral
+ Our Vision: A spiritually alive world.
+Our Mission: Reimagining church with courage, joy and wonder.
+
+
+
+ https://staging.giveth.io/project/Arteeast-Inc
+ Arteeast, Inc
+ Founded in 2003, ArteEast is a leading New York-based non-profit organization dedicated to engaging a growing global audience with the contemporary arts of the Middle East and North Africa (MENA).
+
+Through public programming, strategic partnerships, and dynamic online publications, ArteEast is a forum for critical dialogue and exchange aimed at supporting the development of a sustainable MENA art sector.
+
+
+
+ https://staging.giveth.io/project/Sona-Foundation
+ Sona Foundation
+ Songwriters of North America (SONA) Foundation is a nonprofit dedicated to advocating and providing resources for songwriters and significantly improving the music industry for all music creators.
+
+SONA is continually working to be an inclusive and diverse community that brings together passionate music creatives and industry professionals to reimagine the music industry in the 21st century.
+
+We do this through using a collective voice to defend and represent the songwriter community in all issues where songwriters are impacted, including:
+our right to fair pay in the age of digital media,
+our right to safety in the workplace, and
+our right to resources.
+
+
+
+ https://staging.giveth.io/project/Houston-Center-for-Photography
+ Houston Center for Photography
+ Houston Center for Photography’s mission is to increase society’s understanding and appreciation of photography and its evolving role in contemporary culture. We strive to encourage artists, build audiences, stimulate dialogue, and promote inquiry about photography and related media through education, exhibitions, publications, fellowship programs, and community collaboration.
+
+
+
+ https://staging.giveth.io/project/Gift-of-Surrogacy-Foundation-Inc
+ Gift of Surrogacy Foundation Inc
+ Gift of Surrogacy Foundation is a 501c3 charity committed to providing education around the process of and access to surrogacy. Our goal is to provide a grant that covers the full cost of a surrogate to someone who would not otherwise be able to afford one and has a medical diagnosis that prevents them from having children on their own.
+
+
+
+ https://staging.giveth.io/project/WalkGood-LA
+ WalkGood LA
+ WalkGood LA is a Black & Brown-led community wellness organization (501c3) based in Los Angeles. We are a family dedicated to bringing people from all walks of life together to heal in solidarity through the arts, health, & wellness.
+
+
+
+ https://staging.giveth.io/project/Cocatalyst-Impact-Inc
+ Cocatalyst Impact Inc
+ NULL
+
+
+
+ https://staging.giveth.io/project/Tmma-Farms-Sanctuary-Inc
+ Tmma Farms Sanctuary Inc
+ We are a full working farm and sanctuary. Rescuing livestock for more than 20 years, we now specialize in special needs alpacas and llamas and occasionally bring in other livestock. We do offer tours to our farm to teach people about raising livestock properly and what happens when humans don’t take care of their livestock. We also educate the public about alpaca and llama fleece and it’s useable fiber. There are so many wonderful pet rescues but we have learned there are not enough livestock rescues and even less special needs livestock rescues. We feel with our knowledge of livestock, a super vet and our farm, we can offer guidance, support and forever homes for our special needs cases.
+
+
+
+ https://staging.giveth.io/project/Code-To-Inspire-Inc
+ Code To Inspire Inc
+ Uses technology education and outreach to provide Afghan women with leverage in their fight for social, political, and economic equality.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Connecticut
+ Make-A-Wish Connecticut
+ Together, we create life-changing wishes for children with critical illnesses.
+
+
+
+ https://staging.giveth.io/project/Ichor-Research-Institute-Inc
+ Ichor Research Institute Inc
+ FUNDING THE GLOBAL MOVEMENT TO END CHRONIC DISEASE AND AGE-RELATED DEBILITATION
+
+
+
+ https://staging.giveth.io/project/Tks-of-America-Inc
+ Tks of America Inc
+ We help young people make a dent in the universe.
+
+
+
+ https://staging.giveth.io/project/Life-School-Foundation
+ Life School Foundation
+ toprovidecharitableandeducationalsupporttothechildrenofLakeAtilanregionofGuatemala
+
+
+
+ https://staging.giveth.io/project/Lovable-Paws-Rescue
+ Lovable Paws Rescue
+ Lovable Paws Rescue and Sanctuary is a registered 501 C3 non profit, no-kill organization dedicated to reducing overpopulation, abuse and neglect of unwanted dogs. Lovable Paws Rescue and Sanctuary is run entirely by compassionate like-minded professionals who volunteer their time and resources to help save many domestic dogs lives from the streets and kill shelters. Lovable Paws Rescue gives these loving animals medical attention and love and then find forever homes for them.
+
+
+
+ https://staging.giveth.io/project/Climate-Emergency-Fund
+ Climate Emergency Fund
+ Climate Emergency Fund is a 501c(3) non-profit organization; we are a bridge between philanthropists and grassroots campaigns.
+
+We make strategic grants to empower the movement that is waking up the public to the climate emergency through nonviolent disruption. We fund highly ambitious climate groups building the much needed people power that can overcome the power of the fossil fuel industry and pressure the government to treat climate breakdown like the emergency that it is. Our grantees disrupt normalcy, build narrative power, and force governments to take concrete steps toward a just, livable, zero-emissions future.
+
+
+
+ https://staging.giveth.io/project/LEAD-Edu
+ LEAD Edu
+ Build a generation of ethical, empathetic, and entrepreneurial leaders through quality education and sport.
+
+
+
+ https://staging.giveth.io/project/Waterorg
+ Waterorg
+ Water.org is an international nonprofit organization that has positively transformed millions of lives around the world with access to safe water and sanitation through affordable financing. Founded by Gary White and Matt Damon, Water.org pioneers market-driven financial solutions to the global water crisis. For 30 years, weve been providing women hope, children health, and families a future.
+
+
+
+ https://staging.giveth.io/project/Eastside-Legal-Assistance-Program
+ Eastside Legal Assistance Program
+ Everyone should have access to legal help. We are a nonprofit dedicated to working with people facing domestic violence, housing, financial, healthcare, immigration and other issues that need a legal solution. We also educate communities about their legal rights. We work to solve legal issues and provide resources for our community members because not everyone can afford a lawyer.
+
+
+
+ https://staging.giveth.io/project/International-Refugee-Assistance-Project-Inc
+ International Refugee Assistance Project Inc
+ IRAP is a global legal aid and advocacy organization working to create a world where refugees and all people seeking safety are empowered to claim their right to freedom of movement and a path to lasting refuge. Everyone should have a safe place to live and a safe way to get there.
+
+
+
+ https://staging.giveth.io/project/Rising-Light-Group-Inc
+ Rising Light Group Inc
+ On our mission, well be returning to Greenland to collect a large quantity of 12,800-year-old ice. We plan to search for a wide range of impact proxies, including nanodiamonds, iridium, and platinum. For updates, check out our page at FaceBook.com/TheCometResearchGroup
+
+
+
+ https://staging.giveth.io/project/Cal-Hacks-Foundation
+ Cal Hacks Foundation
+ As UC Berkeleys hackathon organization, Cal Hacks hosts the worlds largest collegiate hackathon, runs a fellowship program to support entrepreneurial hackers, and brings first-time coders into the world of technology just a few of our many initiatives and projects. Our mission is to empower others with technology to create solutions to better the world.
+
+
+
+ https://staging.giveth.io/project/Challenge-Success
+ Challenge Success
+ Challenge Success partners with schools, families, and communities to embrace a broad definition of success and to implement research-based strategies so that all kids are healthy and engaged with learning.
+
+
+
+ https://staging.giveth.io/project/Galveston-Arts-Center-Inc
+ Galveston Arts Center Inc
+ The mission of the Galveston Arts Center is to promote and support contemporary visual art through exhibitions and educational programming.
+
+
+
+ https://staging.giveth.io/project/Rgv-Blockchain-Initiative
+ Rgv Blockchain Initiative
+ The RGV Blockchain Initiative is a Texas non-profit corporation established for the purpose of advancing work in the broader blockchain communities, collectives, and businesses within the Rio Grande Valley (the counties of Cameron, Hidalgo, Willacy, and Starr). The RGV Blockchain Initiative will:<br>Create bridges between people working with blockchain technology, and government agencies, investors, philanthropists, foundations, and technologists.<br><br>Host and sponsor public events to educate the public on the use, development, and adoption of blockchain technology.<br><br>Provide support and incentives to companies working with blockchain technology, starting up, expanding, or relocating part or all their operations into the Rio Grande Valley.<br><br>Facilitate the conditions to achieve adoption of the new financial technologies and systems as we move towards a decentralized future during these transformative times.
+
+
+
+ https://staging.giveth.io/project/Transformation-Church-Inc-2
+ Transformation Church Inc 2
+ We exist to Re-Present God to the lost and found for transformation in Christ. We are a multi-church. Meaning we are a multi-generational, multi-ethnic, multi-plying, and multi-campus.
+
+
+
+ https://staging.giveth.io/project/CASA-of-Northwest-Arkansas-Inc
+ CASA of Northwest Arkansas, Inc
+ Court Appointed Special Advocates (CASA) of Northwest Arkansas provides compassionate volunteers who advocate for abused and neglected children. We are committed to ensuring a consistent voice, safe home, and promising future for children in foster care.
+
+
+
+ https://staging.giveth.io/project/The-University-Foundation-California-State-University-Chico
+ The University Foundation California State University, Chico
+ The Foundation’s mission is to support CSU, Chico’s strategic plan by raising, investing and disbursing funds to fuel the growth and excellence of the University.
+
+
+
+ https://staging.giveth.io/project/Presbyterian-Camp-and-Conference-Ministries-Southwest-Florida-Inc
+ Presbyterian Camp and Conference Ministries Southwest Florida Inc
+ Organization is a ministry of Christs Church in retreat, conference, and camp settings serving God by both guiding persons to and nurturing them in relationship with Jesus Christ, that through the power of the Holy Spirit they may come to a knowledge of God.
+
+
+
+ https://staging.giveth.io/project/Pride-Northwest-Inc
+ Pride Northwest, Inc
+ The mission of Pride Northwest, Inc. is to encourage and celebrate the positive diversity of the lesbian, gay, bisexual, and trans communities, and to assist in the education of all people through the development of activities that showcase the history, accomplishments, and talents of these communities.
+
+
+
+ https://staging.giveth.io/project/Fishermans-Mark
+ Fishermans Mark
+ The mission of Fisherman’s Mark is to strengthen our community.
+With responsive programs and services that promote stability, health and education, Fisherman’s Mark is an advocate for positive change in the lives of our neighbors and their families.
+
+
+
+ https://staging.giveth.io/project/Nuclear-Threat-Initiative-Inc
+ Nuclear Threat Initiative Inc
+ The Nuclear Threat Initiative (NTI) is a nonprofit, nonpartisan global security organization focused on reducing nuclear and biological threats imperiling humanity. Founded in 2001 by former U.S. Senator Sam Nunn and philanthropist Ted Turner who continue to serve as co-chairs, NTI is guided by a prestigious, international board of directors. Ernest J. Moniz serves as chief executive officer and co-chair; Des Browne is vice chair; and Joan Rohlfing serves as president.
+
+
+
+ https://staging.giveth.io/project/Animal-Friends-of-Jeff-Davis-County
+ Animal Friends of Jeff Davis County
+ Grand Companions helps people save, honor, and connect with homeless pets.
+
+
+
+ https://staging.giveth.io/project/American-Bird-Conservancy
+ American Bird Conservancy
+ American Bird Conservancy (ABC) is a 501(c)(3), not-for profit organization whose mission is to conserve wild birds and their habitats throughout the Americas.
+
+
+
+ https://staging.giveth.io/project/Central-Oregon-Environmental-Center-Inc
+ Central Oregon Environmental Center Inc
+ To embed sustainability into daily life in Central Oregon.
+
+
+
+ https://staging.giveth.io/project/Emergence-Benefactors
+ Emergence Benefactors
+ The mission of Emergence Benefactors is:
+*To broadly support healthy outcomes for individuals undergoing the process of emergence
+*To fund and support rigorous, objective scientific research into the study of emergent experiences or emergent practices and their effects
+*To fund and support the development of ontologically-agnostic clinical knowledge of emergent practices and effects
+*To promote the culturally-sensitive incorporation of this scientific and clinical knowledge into global mainstream evidence-based medical, clinical, therapeutic, scientific, public health, public policy, and general public knowledge bases.
+*We support the general mission and roadmap of the Emergent Phenomenology Research Consortium (EPRC) and their allies https://ebenefactors.org
+
+
+
+ https://staging.giveth.io/project/Insight-Memory-Care-Center
+ Insight Memory Care Center
+ Our mission is to provide specialized care, support, and education for individuals in all stages of memory or cognitive impairment, their care partners, and the community.
+
+
+
+ https://staging.giveth.io/project/Community-Crisis-Center-Inc
+ Community Crisis Center Inc
+ To address hunger and hardship in our community, we provide our clients with emergency food and essentials, rebuilding hope and self-reliance.
+
+Vision
+To create and provide solutions of hope; ending homelessness and food insecurity while encouraging and educating those in need.
+
+Values
+Love All Humanity
+Stand for Equality
+Serve and Support
+Educate Empathetically
+Promote Self-Sufficiency
+
+
+
+ https://staging.giveth.io/project/Jewish-Women-International
+ Jewish Women International
+ Jewish Women International (JWI) is the leading Jewish organization working to empower women and girls by ensuring and protecting their safety, health, rights, and economic security; promoting and celebrating inter-generational leadership; and inspiring civic participation and community engagement. Inspired by our legacy of progressive women’s leadership and guided by our Jewish values, JWI works to ensure that all women and girls - of every race, culture, gender identity, sexual orientation, and ability - thrive in healthy relationships, control their financial futures, and realize the full potential of their personal strength.
+
+
+
+ https://staging.giveth.io/project/Solar-Electric-Light-Fund
+ Solar Electric Light Fund
+ SELFs mission is to provide solar power and wireless communications to a quarter of the worlds population living in energy poverty. Acting as a catalyst, SELF provides technical and financial assistance to empower these people to change their lives.
+SELF believes that energy is a human right. To meet global challenges such as food and water scarcity, climate change and poverty, SELF is working to assign greater priority to the importance of sustainable energy among international development banks, aid agencies, foundations, and philanthropic individuals, who are committed to improving the health, education, and economic prospects of the worlds poorest citizens.
+
+
+
+ https://staging.giveth.io/project/18By-Vote-Inc
+ 18By Vote Inc
+ 18by Vote is a non-partisan youth-led organization that aims to help 16, 17, and 18-year-olds understand how to vote, when to vote, and why to vote.
+
+
+
+ https://staging.giveth.io/project/Community-of-Grace-Lutheran-Church
+ Community of Grace Lutheran Church
+ To invite all generations to follow Jesus on the bold, reckless adventure of grace!
+
+
+
+ https://staging.giveth.io/project/Feral-Change
+ Feral Change
+ Feral Change is a registered 501(c)(3) nonprofit dedicated to helping the Oakland community control and manage its feral and homeless cat population. Our success helps ensure the health of the community and consistent care of Oaklands neighborhood cats. We focus on TNR (Trap Neuter Return) to spay and neuter free roaming and feral cats in Oakland. We rely on donations and grants to continue our work.
+
+
+
+ https://staging.giveth.io/project/Project-Solution-Community-Inc
+ Project Solution Community Inc
+ To promote global citizenship and to create quantifiable change in distressed areas of the world.
+
+
+
+ https://staging.giveth.io/project/Midwest-Books-To-Prisoners
+ Midwest Books To Prisoners
+ Shipping reading materials to people in prison.
+
+
+
+ https://staging.giveth.io/project/Chinese-American-International-School
+ Chinese American International School
+ Chinese American International School educates students for academic excellence, moral character and international perspective through immersion in American and Chinese culture and language.
+
+
+
+ https://staging.giveth.io/project/San-Diego-Humane-Society
+ San Diego Humane Society
+ San Diego Humane Society, an open-admission shelter, is creating a more humane world by inspiring compassion and advancing the welfare of animals and people. Our lifesaving safety net has helped San Diego become one of the largest counties in the U.S. to achieve zero euthanasia of healthy and treatable shelter animals. With campuses in El Cajon, Escondido, Oceanside, Ramona and San Diego, we provide animal services for 14 cities within San Diego County and care for more than 40,000 animals – both pets and injured or orphaned wildlife – each year.
+
+
+
+ https://staging.giveth.io/project/The-Bow-Foundation
+ The Bow Foundation
+ The Bow Foundation is dedicated to supporting GNAO1 families, research and awareness.<br><br>Our vision is to build a better tomorrow for GNAO1 patients and their families by fundraising to support medical research that leads to a more informed GNAO1 body of knowledge, better patient treatment options and an eventual cure.
+
+
+
+ https://staging.giveth.io/project/Avow-Foundation-For-Abortion-Access
+ Avow Foundation For Abortion Access
+ Secure unrestricted abortion care and reproductive rights for all Texans through community-building, education, and political advocacy.
+
+
+
+ https://staging.giveth.io/project/Mercy-Corps
+ Mercy Corps
+ Powered by the belief that a better world is possible, Mercy Corps partners to put bold solutions into action—helping people triumph over adversity and build stronger communities from within.
+
+
+
+ https://staging.giveth.io/project/Grace-Church-of-Humble
+ Grace Church of Humble
+ Whether you are new to Jesus, new to the area, or looking for a place to call home, we want to help you discover your purpose. We are one church in many locations, multi-cultural and multi-generational, spreading the hope of Jesus until every one hears.
+
+
+
+ https://staging.giveth.io/project/Down-Syndrome-Diagnosis-Network-(DSDN)
+ Down Syndrome Diagnosis Network (DSDN)
+ The mission of the Down Syndrome Diagnosis Network is to connect, support, and provide accurate information to parents and the medical professionals who serve them from the time of diagnosis through age 3 while fostering the opportunity for lifelong connections. Our vision is that every Down Syndrome Diagnosis will be delivered in an unbiased, factual, and supportive way every time and that families can quickly find meaningful connections.
+
+
+
+ https://staging.giveth.io/project/Prion-Alliance-Inc
+ Prion Alliance Inc
+ Prion Alliance, Inc aims to catalyze the development of a treatment or cure for human prion diseases by funding, organizing and promoting scientific research. Our organization supports research directed at understanding prion disease biology, discovering and testing therapeutics, and developing novel lab and computational methodologies needed for furthering this research. Our operational model is to raise funds and disburse these to the most worthy scientific projects, with a view to the projects relevance to our ultimate goal of a treatment or cure, as well as to the projects ability to leverage Prion Alliance, Inc seed funding in order to pursue outside funding sources for continued research. We also strive to bring together top scientific minds to share data, methodology, and findings in a spirit of openness and collaboration.
+
+
+
+ https://staging.giveth.io/project/Alonzo-King-LINES-Ballet
+ Alonzo King LINES Ballet
+ The mission of Alonzo King LINES Ballet is to nurture artistry and the development of creative expression in dance, through collaboration, performance, and education. Since 1982, LINES Ballet has been guided by the visionary leadership of choreographer Alonzo King. Heralded as one of the few, true ballet masters of our time, King’s work draws on cultural traditions, scientific principles, and diverse collaborations to propel classical ballet towards global cultural relevance. LINES Ballet shares the transformative power of dance with audiences worldwide through bi-annual home seasons in San Francisco, global tours, a world-class education program dedicated to training the next generation of dancers, and community programs that increase dance equity and access to students of all ages.
+
+
+
+ https://staging.giveth.io/project/Coded-By-Kids
+ Coded By Kids
+ Coded by Kids mission is to prepare underrepresented young people to succeed as tech and innovation leaders through project-based learning and mentorship.
+
+
+
+ https://staging.giveth.io/project/The-Center-for-Election-Science
+ The Center for Election Science
+ The Center for Election Science empowers people with voting methods that strengthen democracy.
+
+
+
+ https://staging.giveth.io/project/Pioneer-Works-Art-Foundation
+ Pioneer Works Art Foundation
+ Pioneer Works builds community through the arts and sciences to create an open and inspired world.
+
+Pioneer Works values curiosity, critical thinking, creativity, and inclusion. At the core, Pioneer Works aims to improve how to understand and regard each other and the world. We believe our multidisciplinary approach creates a unique capacity to build bridges across ideas and communities, so that we may all think differently, together.
+
+
+
+ https://staging.giveth.io/project/Northwest-Kidney-Kids-Inc
+ Northwest Kidney Kids Inc
+ Northwest Kidney Kids mission is to offer hope and support to children with chronic kidney disease and their families. We provide group activities, prevention services and educational programs that empower Kidney Kids to achieve lifelong success.
+
+
+
+ https://staging.giveth.io/project/Houston-Arboretum-Nature-Center
+ Houston Arboretum Nature Center
+ The mission of the Houston Arboretum & Nature Center is to provide education about the natural environment to people of all ages, and to protect and enhance the Arboretum as a haven and sanctuary for native plants and animals.
+
+
+
+ https://staging.giveth.io/project/Santa-Barbara-Education-Foundation
+ Santa Barbara Education Foundation
+ For more than 35 years, the Santa Barbara Education Foundation (SBEF) has provided financial resources for a multitude of projects that enhance the educational opportunities for every student in the Santa Barbara Unified School District. SBEF is the only funding organization that has the unique and specific mission of supporting all 12,700 students throughout 19 schools in the district. SBEF provides and supports programs that enrich the academic, artistic, and personal development of all students in the Santa Barbara Unified School District.
+
+
+
+ https://staging.giveth.io/project/Florida-Elks-Childrens-Therapy-Services-Inc
+ Florida Elks Childrens Therapy Services Inc
+ CHILDRENS THERAPY SERVICES
+
+
+
+ https://staging.giveth.io/project/Jewish-Community-Foundation-of-San-Diego
+ Jewish Community Foundation of San Diego
+ The Jewish Community Foundation is committed to building flourishing Jewish communities and advancing sustainable, just, and vibrant societies in San Diego, Israel, nationally, and around the globe.<br><br>The Jewish Community Foundation collaborates with individuals and organizations, and leverages philanthropic capital, to advance this vision.
+
+
+
+ https://staging.giveth.io/project/New-Incentives
+ New Incentives
+ At New Incentives, we envision a world in which no child dies from a vaccine-preventable disease, and we are on a mission to implement evidence-based programming to save lives in a manner that does the most good per dollar. We provide small cash incentives to caregivers in northern Nigeria in order to increase childhood vaccination rates.
+
+We operate in northern Nigeria, which has some of the highest under-five mortality rates in the world—27x the rate of the UK and 18x the rate of the US.
+
+An independent randomized control trial showed that our program doubled the percentage of infants who were fully vaccinated, increasing coverage from roughly a quarter to just over half of all infants in the areas we serve.
+
+New Incentives is a GiveWell top charity and recommended by The Life You Can Save.
+
+
+
+ https://staging.giveth.io/project/Live-Music-Project
+ Live Music Project
+ Our mission is to connect people with live classical music in a way that strengthens community, celebrates listener agency, and amplifies local arts resources.
+
+
+
+ https://staging.giveth.io/project/The-Latino-Community-Association
+ The Latino Community Association
+ Our mission is to empower our Latino families to thrive by creating opportunities for advancement and building bridges that unite and strengthen our communities.
+
+
+
+ https://staging.giveth.io/project/Stars-Scholarship-Fund
+ Stars Scholarship Fund
+ Stars Scholarship Fund is dedicated to providing successful futures for local students. Stars Scholarship Fund was established to offer students an opportunity for advancement in higher education. Scholarships provide deserving students the ability to achieve success at the college or university of their choice.
+
+
+
+ https://staging.giveth.io/project/Museum-of-Chinese-in-America
+ Museum of Chinese in America
+ The Museum of Chinese in America (MOCA) celebrates the living history of the Chinese experience in America by preserving and presenting its 200-year history, heritage, culture, and experiences. Founded in 1980, MOCA now serves 50,000 a year, including 20,000 children. MOCA aims to engage audiences in an ongoing and historical dialogue, in which people of all backgrounds are able to see American history through a critical perspective, to reflect on their own experiences, and to make meaningful connections between: the past and the present, the global and the local, themselves and others.
+
+
+
+ https://staging.giveth.io/project/Las-Pinas-Persons-with-Disability-Federation-Inc
+ Las Pinas Persons with Disability Federation Inc
+ To Unite Persons with Disabilities in Las Pinas Cuty<br>To be a Model Federation empowering persons with disabilities to become self reliant and productive members of the society
+
+
+
+ https://staging.giveth.io/project/Senior-Citizens-Services-Inc
+ Senior Citizens Services Inc
+ To promote positive aging for adults and to enhance the quality of life for all generations through programs, services and education
+
+
+
+ https://staging.giveth.io/project/Jewish-Community-Federation-Of-San-Francisco-The-Peninsula-Marin-Sonoma-Counties
+ Jewish Community Federation Of San Francisco, The Peninsula , Marin Sonoma Counties
+ Our vision is a vibrant, caring, and enduring Jewish community that is a force for good locally, in Israel, and around the world.<br><br>Our Mission is to be a philanthropic catalyst, connecting Bay Area Jews - of all ages, backgrounds, and perspectives - to the power we have as a community to improve the world. We partner with donors, organizations, and foundations to address the pressing issues facing our community, and develop innovative strategies that result in deep and lasting impact.
+
+
+
+ https://staging.giveth.io/project/Schwab-Charitable-Fund
+ Schwab Charitable Fund
+ Schwab Charitable Funds mission is to increase charitable giving in the United States by offering advantageous ways to give, useful information and unbiased guidance.
+
+
+
+ https://staging.giveth.io/project/Rebuilding-Alliance
+ Rebuilding Alliance
+ Rebuilding Alliance is dedicated to advancing equal rights for Palestinians through education, advocacy, and support that assures Palestinian families the right to a home, schooling, economic security, safety, and a promising future.
+
+Our life-affirming vision is to realize a just and enduring peace in Palestine and Israel founded upon equal rights, equal security, and equal opportunity for all.
+
+
+
+ https://staging.giveth.io/project/Museum-of-Human-Achievement
+ Museum of Human Achievement
+ The Museum of Human Achievement cultivates forward thinking new work, community, and vibe. We provide radically affordable arts space to support artists and audiences in the creation of new ideas.
+
+
+
+ https://staging.giveth.io/project/Here-Foundation-Inc
+ Here Foundation, Inc
+ Here Foundation provides funding, guidance and focus to The Commons Project, our sole initiative.
+
+1) The Commons Project builds impactful communities through media and AI-driven relational knowledge tools.
+2) The Project is creating and supports an AI-supported relational knowledge module called Raven.
+3) The Project believes access to and production of relational knowledge — cross-domain understanding of society, culture and environment — is essential.
+4) The Commons Project leadership will migrate from startup leadership to a Founding Team, creating a future-proof organization for marginalized and rural communities.
+
+
+
+ https://staging.giveth.io/project/Trees-for-the-Future-Inc
+ Trees for the Future, Inc
+ We train farmers in sustainable land use so that they can build vibrant regional economies, thriving food systems, and a healthier planet.
+
+
+
+ https://staging.giveth.io/project/Rethink-Food
+ Rethink Food
+ Rethink Food is a nonprofit whose mission is to create a more sustainable and equitable food system
+
+
+
+ https://staging.giveth.io/project/Little-Essentials
+ Little Essentials
+ Little Essentials offers at-risk families living in poverty urgently needed childrens supplies and parenting education to promote the health, wellbeing and safety of their children under five years of age.
+
+
+
+ https://staging.giveth.io/project/Radius-International
+ Radius International
+ TRAINING LONG-TERM CROSS-CULTURAL CHURCH PLANTERS
+We train singles, couples, and families who are committed to long-term, pioneer church planting among unreached language groups. Radius students acquire spiritual, relational, emotional, and moral maturity, as well as the physical stamina that will enable them to survive the rigors of cross-cultural living.
+Because God has chosen the local church as the method of taking the gospel to the nations, our primary requirement for applicants is involvement in their local church and approval by their local church as “missionary candidates in training.”
+
+
+
+ https://staging.giveth.io/project/Evergreen-Collaborative
+ Evergreen Collaborative
+ Evergreen is leading the fight to put bold climate action at the top of Americas agenda, implement an all-out mobilization to defeat climate change and create millions of good union jobs in a just and thriving clean energy economy.
+
+
+
+ https://staging.giveth.io/project/Start-Small-Think-Big-Inc
+ Start Small Think Big Inc
+ Start Small Think Big (Start Small) has a mission to help under-resourced entrepreneurs create thriving businesses in underserved areas so owners can build wealth for themselves, their families and communities. We do this by activating and engaging a top-tier network of professional volunteers who provide high-quality legal, financial and marketing services, at no cost. Our work with low-to moderate-income entrepreneurs directly aligns with our vision: a society in which entrepreneurship is a viable path to socioeconomic mobility. By investing in the underserved, we create jobs and value for our society, and empower others to create a better future.
+
+
+
+ https://staging.giveth.io/project/Minneapolis-Heart-Institute-Foundation
+ Minneapolis Heart Institute Foundation
+ The Minneapolis Heart Institute Foundation strives to create a world without heart and vascular disease.<br><br>To achieve this bold vision, our mission is to improve the cardiovascular health of individuals and communities through innovative research and education.
+
+
+
+ https://staging.giveth.io/project/Drop4Drop-INC
+ Drop4Drop INC
+ DROP4DROP believes everyone, everywhere, has the right to clean water. The concept is simple; #cleanwaterforall.
+
+100% of donations go towards clean water projects, benefiting hundreds of communities across the globe.
+
+Thanks to drop4drop, over 900,000 people now have sustainable sources of clean water - click here to visit the community projects.
+
+Visit www.drop4drop.org to find out more.
+
+
+
+ https://staging.giveth.io/project/Beauty-Walker-Inc
+ Beauty Walker Inc
+
+
+
+
+ https://staging.giveth.io/project/Moishe-House
+ Moishe House
+ Moishe House provides vibrant Jewish community for young adults by supporting leaders in their 20s as they create meaningful home-based Jewish experiences for themselves and their peers.
+
+
+
+ https://staging.giveth.io/project/Teatrul-Vienez-de-Copii-Copiii-Joaca-Teatru
+ Teatrul Vienez de Copii Copiii Joaca Teatru
+ Dezvoltarea abilitatilor de comunicare ale copiilor, in diverse domenii: literatura, arta, teatru, pentru a le dezvolta creativitatea si a-si largi orizontul de cunoasterea.
+
+
+
+ https://staging.giveth.io/project/Hope-Medical-Clinic-Inc
+ Hope Medical Clinic, Inc
+ We partner with you to make lives better serving the whole person providing free medical, dental, food, and behavioral health care; in Jesus name.
+
+
+
+ https://staging.giveth.io/project/SBP-Long-Term-Home-Rebuilding
+ SBP - Long-Term Home Rebuilding
+ SBP solves the challenges facing at-risk communities by bringing the rigor of business and innovation to reduce risk, create resilient communities and streamline recovery.
+SBP works across the disaster preparedness and recovery continuum to drive direct impact and by sharing knowledge, people and funding.
+By taking a holistic approach, SBP shrinks the time between disaster and recovery in three intersecting ways—advocate, build and prepare.
+SBP advocates for policy and system change and advises state and local leaders to run disaster recovery programs more efficiently and effectively to create transformational change and scale impact.
+SBP builds resilient communities efficiently and effectively.
+SBP prepares individuals, communities and organizations to mitigate risk and speed recovery.
+
+
+
+ https://staging.giveth.io/project/Planned-Parenthood-Mar-Monte-Inc
+ Planned Parenthood Mar Monte, Inc
+ The mission of Planned Parenthood Mar Monte is to invest in communities by providing health care and education, and by expanding rights and access for all. We deliver vital health care, sex education, and information to people across California and Nevada – and a growing number of out-of-state patients – regardless of their income, identities, immigration status, beliefs, or zip code.
+
+
+
+ https://staging.giveth.io/project/Rett-Syndrome-Research-Trust-Inc
+ Rett Syndrome Research Trust, Inc
+ RSRTs mission is to spur and support research that is leading to a cure for Rett Syndrome and related MECP2 disorders. Rett is a devastating disorder that afflicts 350,000 children and adults around the world. It robs its victims of speech, movement, and hand use and often causes seizures, breathing abnormalities, extreme anxiety, digestive and cardiac problems. Rett is caused by a random mutation on the X chromosome and it afflicts mostly girls and women.
+
+In 2020 RSRT launched a new phase of its research called CURE 360. The name reflects the fact that RSRT has Rett surrounded with the most promising approaches that attack the disorder at its genetic core. CURE 360 also ensures that the research incubated at RSRT moves into biopharma, a critical step for advancing to clinical trials.
+
+
+
+ https://staging.giveth.io/project/buildOn
+ buildOn
+ buildOns mission is to break the cycle of poverty, illiteracy and low expectations through service and education.
+
+
+
+ https://staging.giveth.io/project/American-Jewish-World-Service-Inc
+ American Jewish World Service, Inc
+ Inspired by the Jewish commitment to justice, American Jewish World Service (AJWS) works to realize human rights and end poverty in the developing world.
+
+
+
+ https://staging.giveth.io/project/Omprakash
+ Omprakash
+ We facilitate relationships, dialogue & learning between social change agents around the world.<br><br>Our Partner organizations use our platform to recruit volunteers and interns, raise funds, and connect with each other, while individuals use the platform to find international volunteer and internship opportunities, raise funds, and receive accredited online training and mentorship. Through our EdGE program, we help universities, schools, and nonprofits reimagine and reinvent their global social impact efforts in ways that disrupt paternalism and inequality and strive for more radical learning and social change.
+
+
+
+ https://staging.giveth.io/project/Buffalo-Fine-Arts-Academy-dba-Buffalo-AKG-Art-Museum
+ Buffalo Fine Arts Academy dba Buffalo AKG Art Museum
+ We:
+
+Present exhibitions, performances, and programs that challenge and inspire.
+Seek tomorrow’s masterpieces while developing our world-renowned collection of modern and contemporary art.
+Create education programs for lifelong learning and discovery.
+Engage and empower widening, inclusive audiences.
+Inspire open dialogue and common understanding.
+
+
+
+ https://staging.giveth.io/project/Marfa-Theatre
+ Marfa Theatre
+ Marfa Live Arts engages a diverse community through the performing arts, arts education, film, music, and other cultural arts programs. Marfa Live Arts celebrates and strengthens the cultural richness of the people of the Big Bend, and enhances the area tourist appeal through sophisticated programming featuring the talents of the regions own professional performers, dedicated amateurs, and international artists.
+
+
+
+ https://staging.giveth.io/project/Meals-on-Wheels-of-Alameda-County
+ Meals on Wheels of Alameda County
+ Since 1987, weve worked to end senior hunger in Alameda County. Each year, we deliver over 500,000 meals to seniors in our community.<br><br>Our mission is to assist frail, homebound seniors to maintain their independence by fundraising and providing financial support, community outreach and strategic assistance to Meals on Wheels programs in Alameda County that deliver nutritious meals and perform wellness checks.
+
+
+
+ https://staging.giveth.io/project/Town-School-for-Boys
+ Town School for Boys
+ At Town School, learning is prized, love of school is essential & boyhood is celebrated. Town values being a diverse community that nurtures integrity, sensitivity & respect in its boys, and prepares them to become productive and contributing members of an ever-changing world.
+
+
+
+ https://staging.giveth.io/project/National-Park-Foundation
+ National Park Foundation
+ As the official nonprofit partner of the National Park Service, the National Park Foundation generates private support and builds strategic partnerships to protect and enhance Americas national parks for present and future generations.
+
+
+
+ https://staging.giveth.io/project/Best-Friends-Animal-Society
+ Best Friends Animal Society
+ Best Friends Animal Society is a leading national animal welfare organization working to end the killing of dogs and cats in Americas shelters by 2025. Founded in 1984, Best Friends is a pioneer in the no-kill movement and has helped reduce the number of animals killed in shelters from an estimated 17 million per year to around 378,000. Best Friends runs lifesaving programs across the country, as well as the nations largest no-kill animal sanctuary. Working collaboratively with a network of more than 4,200 animal welfare and shelter partners, and community members nationwide, Best Friends is working to Save Them All.
+
+
+
+ https://staging.giveth.io/project/The-Humane-Society-of-Boulder-Valley-Inc
+ The Humane Society of Boulder Valley, Inc
+ It is the mission of the Humane Society of Boulder Valley to protect and enhance the lives of companion animals by promoting healthy relationships between pets and people.
+Since our founding in 1902, the Humane Society of Boulder Valley facility has assisted tens of thousands of homeless and neglected animals. Over the last 100 years, we have developed a local and national reputation as a leader in animal care and humane education. Our approach to animal welfare has created an extremely high rate live-release rate - in 2012 over 93% of the animals we received were adopted out or returned to their guardians. In comparison, the national average of live-release cases is only 47%. We are proud that we do not euthanize animals due to lack of kennel space or their length of stay.
+We staff a nationally recognized behavior team treating animals through our behavior modification programs. From our success, the Humane Society of Boulder Valley has earned a reputation for forward looking leadership and frequently works with other companion animal care facilities through mentoring and animal relocation.
+
+
+
+ https://staging.giveth.io/project/For-His-Children
+ For His Children
+ Believing that all children are created in God’s image, For His Children exists as a Christ-centered ministry to homeless children in Ecuador, South America, providing care in a loving and supportive environment, striving to unite them with their biological or adoptive family, and advocating on their behalf to others.
+
+
+
+ https://staging.giveth.io/project/Americans-for-Oxford-Inc
+ Americans for Oxford Inc
+ Americans for Oxford, Inc. (AFO) is the University’s North American fundraising body that seeks gifts to support Oxford and its Colleges. It enables the University to maintain and enhance its tradition as one of the great universities of the world. Ensuring this status requires an ongoing commitment from all Oxonians. AFO has been determined by the United States Internal Revenue Service as a tax-exempt public charity.
+
+
+
+ https://staging.giveth.io/project/Chinese-American-Planning-Council-Inc
+ Chinese American Planning Council Inc
+ Chinese-American Planning Council, Inc.’s mission is to promote social and economic empowerment of Chinese American, immigrant and low-income communities.
+
+
+
+ https://staging.giveth.io/project/4KIDS-Inc
+ 4KIDS, Inc
+ 4KIDS exists to bring hope, homes, and healing to kids and families in crisis across South Florida and the Treasure Coast. In partnership with local churches, businesses, and government agencies, 4KIDS is committed to redefining foster care in our community, one child at a time.
+
+
+
+ https://staging.giveth.io/project/Corazon-Latino
+ Corazon Latino
+ Corazón Latino seeks to reconnect communities with Nature.<br><br>Corazón Latino is a national non-profit organization that seeks to generate social, environmental, and conservation initiatives that foster natural resource stewardship.<br><br>Corazón Latino mobilizes the passion, love, unity, solidarity, and resources of individuals, communities, organizations, and government entities to advance the common good.
+
+
+
+ https://staging.giveth.io/project/Cheetah-Conservation-Fund
+ Cheetah Conservation Fund
+ CCFs mission is to be the internationally recognized center of excellence in the conservation of cheetahs and their ecosystems. CCF will work with all stakeholders to develop best practices in research, education, and land use to benefit all species, including people.
+
+
+
+ https://staging.giveth.io/project/Charles-Armstrong-School
+ Charles Armstrong School
+ Charles Armstrong School serves high potential students with language-based learning differences, such as dyslexia, empowering them to thrive as learners in school and life. Our faculty, staff, board and community are dedicated to our mission and the values of Charles Armstrong School.
+We Believe That:
+
+• All kids can learn
+• All kids learn differently
+• All kids must learn to use their minds well
+We Value:
+
+• Teamwork & Collaboration
+• Academic Excellence
+• Commitment to Our Mission
+• Respect
+• Responsibility & Accountability
+
+
+
+ https://staging.giveth.io/project/The-Leukemia-Lymphoma-Society
+ The Leukemia Lymphoma Society
+ The Leukemia & Lymphoma Society® (LLS) is a global leader in the fight against cancer. The LLS mission: Cure leukemia, lymphoma, Hodgkins disease and myeloma, and improve the quality of life of patients and their families. LLS funds lifesaving blood cancer research around the world, provides free information and support services, and is the voice for all blood cancer patients seeking access to quality, affordable, coordinated care.
+
+
+
+ https://staging.giveth.io/project/Maryland-Nonprofits
+ Maryland Nonprofits
+ Maryland Nonprofits’ mission is to strengthen organizations and networks for greater quality of life and equity.
+
+
+
+ https://staging.giveth.io/project/International-Medical-Corps
+ International Medical Corps
+ We provide training and deliver healthcare and related services to those affected by conflict, natural disaster or disease. We do this no matter where in the world they may be or what the conditions. We train people in their own communities, providing them the skills needed to recover, to chart their own path to self-reliance and to shape their own future as they become effective First Responders.
+
+
+
+ https://staging.giveth.io/project/Go-Conscious-Earth-Inc
+ Go Conscious Earth, Inc
+ Go Conscious Earth (GCE) partners with forest-dependent communities to protect the Congo Basin Rainforest, improve the livelihoods of the people, conserve endangered species, and support global climate stability.<br><br>GCE is an amazing grass roots organization founded by a Congolese man who was to slated become village chief and had a vision of protecting nature in and around his home village and region by empowering and supporting local forest-dependent people who have always been and still are the true stewards of the forest. GCE supports local people by helping them develop sustainable livelihoods and activities as they manage their own community forests and in so doing improve their lives. <br><br>Since its founding in 2012, GCE has helped conserve 1.2 million acres of forest in Équateur Province in the Democratic Republic of Congo and has installed 17 wells that serve 34,000 people. This work is incredibly important not only to the people living there but to all of us globally, because we depend on the Congo Basin rainforest (the Earth’s 2nd largest) in the face of climate change. This area is also home to the only surviving bonobos and other endangered species, including forest elephants.<br><br>GCE’s small team does a great deal with very few resources and is trusted by the people they serve in the DRC. They work in concert with a new legal framework of community forest management set forth by the DRC government and have put 202,206 acres of sacred, ancestral land back into the hands of the forest-dwelling people, in perpetuity. GCE works at the nexus of sustainable conservation and community development with local people very much at the center of the work.. Our donors are comprised of individuals in the US and abroad, as well as US-based and international NGOs and corporations. Some of our larger individual donors give via cryptocurrencies.
+
+
+
+ https://staging.giveth.io/project/Envolved-Foundation
+ Envolved Foundation
+ Unleash your inner philanthropist.
+Envolved makes it easy to manage your charitable giving and stay engaged
+in the causes that matter to you most.
+
+
+
+ https://staging.giveth.io/project/The-Bushwick-Starr
+ The Bushwick Starr
+ The Bushwick Starr is an Obie Award-winning nonprofit theater that presents an annual season of new performance works. We are an organization defined by both our artists and our community, and since 2007, we have grown into a thriving theatrical venue, a destination for exciting and engaging performance, and a vital neighborhood arts center serving the diverse artistic needs and impulses of our Bushwick, Brooklyn community. We provide a springboard for emerging professional artists to make career-defining leaps and maintain a sanctuary for established artists to experiment and innovate.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Northeast-Mississippi-Inc
+ United Way of Northeast Mississippi, Inc
+ To create opportunities to improve people’s lives in the communities we serve.
+
+
+
+ https://staging.giveth.io/project/Stonewall-Alliance-of-Chico
+ Stonewall Alliance of Chico
+ We are committed to supporting and celebrating the health, empowerment, and joy of the North State LGBTQ+ community at every intersection of their identities.
+
+
+
+ https://staging.giveth.io/project/The-Renaissance-Collaborative-Inc
+ The Renaissance Collaborative, Inc
+ The mission of Renaissance Collaborative, Inc. (TRC) is to promote self-sufficiency through an innovative and comprehensive network of supportive housing, employment, and educational services.. TRC donors are individuals, corporations, and private foundations.
+
+
+
+ https://staging.giveth.io/project/ArtsQuest
+ ArtsQuest
+ Nonprofit Mission Statement: ArtsQuest’s mission is to provide access to exceptional artistic, cultural and educational experiences using arts and culture as key elements of economic development for our urban communities. ArtsQuest™ supports this mission via the presentation of performing and visual arts, film, arts education classes and outreach, youth programming and cultural events.<br><br>Through festivals such as its flagship event, Musikfest; the Banana Factory Arts Center; and the ArtsQuest Center and SteelStacks arts and cultural campus, ArtsQuest’s programming reaches more than 1.9 million people annually. The organization’s programs and events, approximately 50 percent of which are free to attend, have a combined economic impact of more than $136 million annually in the region.
+
+
+
+ https://staging.giveth.io/project/American-Cancer-Society
+ American Cancer Society
+ Improve the lives of people with cancer and their families through advocacy, research, and patient support, to ensure everyone has an opportunity to prevent, find, treat, and survive cancer.
+
+
+
+ https://staging.giveth.io/project/Orphans-Hope
+ Orphans Hope
+ Transforming the lives of orphans living in poverty
+
+
+
+ https://staging.giveth.io/project/Humane-Society-of-Charlotte-Inc
+ Humane Society of Charlotte Inc
+ Humane Society of Charlotte Mission <br> <br>
+Our mission is to champion the wellbeing of companion animals and strengthen their bond with the people who know, love, and need them. <br> <br>
+Charlotte Community Vision <br> <br>
+We envision a future when all companion animals have the support, care, and human connections needed to lead healthy, rewarding lives.
+
+
+
+ https://staging.giveth.io/project/Nameless-Sound
+ Nameless Sound
+ Nameless Sound was established in 2001 to present the best international contemporary music and to support the exploration of new methods in arts education. Nameless Sound presents concerts by premier artists in the world of creative music. While you have the opportunity to experience these “on-stage” performances, Nameless Sound’s daily presence in public schools, community centers, homeless shelters, and refugee communities continues as well. Our staff of artist-facilitators work with over 1500 Houston youth every week, creatively collaborating through musical improvisation, cultivating the same principles that allow this music to have life in performance: collaboration, empathy, openness, listening, diversity, risk-taking, learning and play.
+
+
+
+ https://staging.giveth.io/project/Puerto-Rico-Community-Education-Service-Corps-Island-Corps
+ Puerto Rico Community Education Service Corps - Island Corps
+ We are a volunteer corps of educators and first responders on a mission to transform hearts, expand minds, and empower a friendlier, equitable, gentle world through sustainable education. Why? Because we believe conscious, healthy learning, and awareness of our role as humans on this planet is the future of education, reimagined.
+
+We marshal education and design sustainable human impact initiatives to strengthen the future of children and ignite personal growth and opportunities for youth, families, and communities across Puerto Rico and the Caribbean. Through our public school adoption, our K-12 education programs cultivate a love for nature, personal care, good hygiene, wellness, mental health, fitness, clean nutrition, positive values, and ethical conduct.
+
+
+
+ https://staging.giveth.io/project/White-Buffalo-Land-Trust
+ White Buffalo Land Trust
+ White Buffalo Land Trust practices, promotes, and develops systems of regenerative agriculture for local, regional, and global impact. We are focused on the restoration of our ecosystem through agriculture.
+
+We are committed to the evolution of land stewardship and the redesign of our food system to directly address the climate, biodiversity, public health, and food security challenges that we face today. We believe change begins on the ground and that our local solutions lead to regional and global impact through shared data, models, and linking practices to outcomes.
+
+
+
+ https://staging.giveth.io/project/Upbring
+ Upbring
+ Upbrings mission is to break the cycle of child abuse by empowering children, families and communities.
+
+
+
+ https://staging.giveth.io/project/Action-Against-Hunger-USA
+ Action Against Hunger USA
+ Our mission is to save, improve and protect lives by eliminating hunger through the prevention, detection and treatment of undernutrition, especially during and after emergency crises caused by situations of conflict, displacement, poverty, discrimination, inequality, or natural disaster.
+
+From crisis to sustainability, we tackle the immediate, underlying and root causes of undernutrition and its
+effects through a multisectoral approach. By designing our programmes with local communities, integrating them into national systems, and working with partners, we further ensure that short-term interventions become long-term solutions.
+
+
+
+ https://staging.giveth.io/project/Epic-Church
+ Epic Church
+ Our vision is to see an increasing number of people in San Francisco orient their entire lives around Jesus.
+
+
+
+ https://staging.giveth.io/project/Coalition-for-the-Homeless-Inc
+ Coalition for the Homeless, Inc
+ The Coalition for the Homeless is the nation’s oldest advocacy and direct service organization helping homeless individuals and families. We believe that affordable housing, sufficient food and the chance to work for a living wage are fundamental rights in a civilized society. Since our inception in 1981, the Coalition has worked through litigation, public education and direct services to ensure that these goals are realized.
+
+
+
+ https://staging.giveth.io/project/American-Rivers-Inc
+ American Rivers, Inc
+ American Rivers protects wild rivers, restores damaged rivers, and conserves clean water for people and nature.
+
+
+
+ https://staging.giveth.io/project/Miami-Jewish-Health-Systems-Foundation-Inc
+ Miami Jewish Health Systems Foundation, Inc
+ Our mission is to honor and enrich lives with empathy, purpose and grace.
+
+
+
+ https://staging.giveth.io/project/SOS-Childrens-Villages-USA-Inc
+ SOS Childrens Villages USA, Inc
+ We build families for children in need, help them shape their futures and share in the development of their communities.
+
+
+
+ https://staging.giveth.io/project/Inner-City-Arts
+ Inner-City Arts
+ The mission of Inner-City Arts is to use arts education to positively affect the lives of underserved children, improving their chances to lead productive and successful lives by developing creativity, improving learning skills and building self-confidence.
+
+
+
+ https://staging.giveth.io/project/National-Pet-Advocacy-and-Welfare-Society-(NPAWS)
+ National Pet Advocacy and Welfare Society (NPAWS)
+ To end the normalized pet cruelty of elective procedures just for looks or human convenience. This includes cutting off dogs tails and ears, cats toes up to the first knuckle, decorative tattooing, and more. Each year, more than 1 in 5 cats are declawed, 750,000 dogs have their tails amputated. Ending this senseless loss and suffering will also help law enforcement apprehend dog fighters. The earth will benefit too as we avoid contributing tons of raw bio-waste and other associated medical waste into landfills and other disposal every year.
+
+
+
+ https://staging.giveth.io/project/Integro-Foundation
+ Integro Foundation
+ Integro invests in helping Puerto Rico thrive by accelerating and incubating causes through integrating capital with integrity to maximize return on impact.<br><br>Our slogan: Matching capital with vetted and trustworthy causes.<br><br>VALUES:<br>- Transparency and Accountability <br>- Trusted Partnerships and Authentic Relationships<br>- Community & Cultural Integration<br>- Compounded Impact to Maximize Positive Change<br>- Integrity & Political Neutrality<br>- Efficient Use of Resources<br>- Versatility & Adaptability <br>- Fully Leverage Technology<br><br>STRATEGIC IMPACT FOCUS AREAS:<br>- Reverse the brain drain (Intellectual capital retention and enrichment/ capacity-building) <br>- Technology and Innovation<br>- Food Security & Regeneration<br>- Health and Safety<br>- Environmental and Species Conservation<br>- Culture, Arts and Recreation
+
+
+
+ https://staging.giveth.io/project/Womens-Entrepreneurship-Day-Organization-Celebration
+ Womens Entrepreneurship Day Organization Celebration
+ Women’s Entrepreneurship Day Organization (WEDO)/#ChooseWOMEN is a non-governmental, philanthropic volunteer organization with chapters in 144 countries and 112 Universities/Colleges. We are on a global mission to economically empower WOMEN to alleviate poverty. Women perform 66% of the world’s work, yet earn 10% of the world’s income, account for 85% of consumer purchases & control $20 trillion in worldwide spending. WEDO ignites women leaders, innovators, and entrepreneurs to initiate startups, drive economic expansion, and advance communities.Our mission is to empower the 4 billion women across the globe to be catalysts of change and uplift the 250 million girls living in poverty.
+
+
+
+ https://staging.giveth.io/project/Earth-Cause
+ Earth Cause
+ Our cause is earth, and our mission is to protect the planet and its inhabitants through innovative, effective, nondestructive means. We seek to:
+• Preserve biodiversity
+• Protect threatened species, populations, and ecosystems
+• Advance environmental science and the development of green technology
+• Aid victims of natural disasters and other crises
+• Promote social justice, cultural understanding, and equality
+• Help impoverished, endangered, or otherwise needy individuals and communities
+• Educate the public through independent journalism, in-depth documentaries, and other informational resources
+• Support and promote independent journalism and press freedom
+• Inspire positive action and conscientious living
+
+
+
+ https://staging.giveth.io/project/French-Heritage-Society-Inc
+ French Heritage Society Inc
+ TO ENSURE THAT THE TREASURES OF OUR SHARED FRENCH ARCHITECTURAL AND CULTURAL HERITAGE SURVIVE TO INSPIRE FUTURE GENERATIONS TO BUILD, DREAM AND CREATE. SEE SCHEDULE O FOR COMPLETE MISSION.
+
+
+
+ https://staging.giveth.io/project/Yes-in-My-Back-Yard
+ Yes in My Back Yard
+ Yes In My Back Yard (YIMBY) exists to make housing more affordable and accessible. We do this by serving and growing the YIMBY movement fighting for more housing. We envision an integrated society where every person has access to a safe, affordable home near jobs, services, and opportunity.
+
+
+
+ https://staging.giveth.io/project/Coast-Guard-Foundation-Inc
+ Coast Guard Foundation Inc
+ The Coast Guard Foundation partners with the Coast Guard to provide resources to members and families that build resilience and strengthen the entire community.
+
+
+
+ https://staging.giveth.io/project/Big-Brothers-Big-Sisters-of-Eastern-Missouri
+ Big Brothers Big Sisters of Eastern Missouri
+ Big Brothers Big Sisters of Eastern Missouri builds trusting and enduring relationships that encourage and support young people.
+
+
+
+ https://staging.giveth.io/project/Miriams-Kitchen
+ Miriams Kitchen
+ Miriams Kitchen first began in 1983 serving meals to the hungry and unhoused. Over the years, it has evolved its mission from serving those experiencing homelessness to ending chronic and veteran homelessness in Washington DC.
+
+
+
+ https://staging.giveth.io/project/City-Surf-Project
+ City Surf Project
+ Our Mission is to connect underrepresented youth to the ocean and themselves through surfing. We use surfing as a vehicle to teach a respect for nature, healthy lifestyle and personal growth.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-The-Ocean-Cleanup-Foundation
+ American Friends of The Ocean Cleanup, Foundation
+ American Friends of the The Ocean Cleanups primary mission is to preserve and protect the natural ocean environment for the benefit of the public. This includes promoting and supporting the efficient and environmentally friendly extraction of waste from oceans, seas and other waste areas as well as raising awareness of the global plastic problem. This also includes promoting and supporting the environmentally friendly recycling of such waste.
+
+This non-profit holds the role of a “Friends of” organization to Stichting The Ocean Cleanup in The Netherlands, and shares with it the joint mission of ridding the worlds oceans of plastic. Therefore it works closely together with Stichting The Ocean Cleanup in order to realize this joint mission.
+
+
+
+ https://staging.giveth.io/project/Houston-Community-Land-Trust
+ Houston Community Land Trust
+ Incorporated in 2018 as an independent 501(c)(3) non-profit, Houston Community Land Trust is guided by the belief that secure, quality, affordable homeownership is a foundation on which families build legacy and cultivate opportunity, both for themselves and for their community.
+
+
+
+ https://staging.giveth.io/project/NSPCC-National-Society-for-the-Prevention-of-Cruelty-to-Children
+ NSPCC - National Society for the Prevention of Cruelty to Children
+ Our mission is to end cruelty to children in the UK. All the work that goes into this mission is founded on 4 principles:<br>- focus on areas in which we can make the biggest difference<br>- prioritize the children who are most at risk<br>- learn what works best for them<br>- create leverage for change
+
+
+
+ https://staging.giveth.io/project/Immigrant-History-Initiative-Incorporated
+ Immigrant History Initiative Incorporated
+ At the Immigrant History Initiative, we believe in the power of storytelling to empower and drive change. Our mission is to fundamentally change to how we learn, talk, and think about race, migration, and social justice as a global society. We do this by providing comprehensive education resources that center on the histories and lived experiences of immigrant communities and people of color.
+
+IHI’s model has four key components: 1) multimedia curriculum & course design, 2) anti-racist resource development, 3) community engagement and empowerment, and 4) equitable education support.
+We work with students, educators, schools, communities, and organizations to share the untold stories of immigrant diasporas. Immigrant history IS American history.
+
+
+
+
+ https://staging.giveth.io/project/Luminus-Network-for-New-Americans
+ Luminus Network for New Americans
+ The immigrant story is the American story. It is rooted in the idea that all New Americans bring richness and value to American life. Luminus empowers New Americans by providing programs and direct services to help them achieve their goals and/or access community resources and opportunities.
+
+
+
+ https://staging.giveth.io/project/Center-for-Policing-Equity
+ Center for Policing Equity
+ The Center for Policing Equity uses science to promote justice. Through our data-driven strategies, we work to end racial bias in policing and provide public safety solutions that communities want and law enforcement can get behind.<br><br>We believe that you have to measure a problem to change it, so we collect and analyze data on stops, arrests, and use of force, and then use science to make recommendations that eliminate biased police behavior and policy. With a 12-year track record, CPE has partnered with over 45 law enforcement agencies to build fairer and more just systems, and we work to bridge the divide of communication, generational mistrust, and suffering. Our data-driven solutions serve more than 63 million people in communities across North America. Through each initiative, CPE demonstrates the power and impact of evidence-based change. Our goal is to reimagine community public safety systems that are just and equitable system that continue long after cameras are gone or a hashtag stops trending. We will not stop working until disparities in public safety are eradicated. Racial justice can’t wait. Science shows it doesn’t have to.<br><br>We are research scientists, race and equity experts, data virtuosos, and community trainers. We use data to build a more fair and just system. We partner with law enforcement and communities. Our aim is to bridge the divide of communication, generational mistrust, and suffering. But most of all, we are the path that science can forge towards public safety, community trust, and racial equity.
+
+
+
+ https://staging.giveth.io/project/Spirit-of-America
+ Spirit of America
+ Spirit of America’s mission is to engage citizens in preserving the promise of a free and better life. We do this by working alongside troops and diplomats to help them save and improve lives, promote values shared by Americans and our allies, strengthen relationships with allies, friends and partners, and demonstrate that the United States is a friend of those who seek a better life.
+
+
+
+ https://staging.giveth.io/project/Stanford-University
+ Stanford University
+ On October 1, 1891, Stanford University opened its doors after six years of planning and building. In the early morning hours, construction workers were still preparing the Inner Quadrangle for the opening ceremonies. The great arch at the western end had been backed with panels of red and white cloth to form an alcove where the dignitaries would sit. Behind the stage was a life-size portrait of Leland Stanford, Jr., in whose memory the university was founded. About 2,000 seats, many of them sturdy classroom chairs, were set up in the 3-acre Quad, and they soon proved insufficient for the growing crowd. By midmorning, people were streaming across the brown fields on foot. Riding horses, carriages and farm wagons were hitched to every fence and at half past ten the special train from San Francisco came puffing almost to the university buildings on the temporary spur that had been used during construction. Just before 11 a.m., Leland and Jane Stanford mounted to the stage. As Mr. Stanford unfolded his manuscript and laid it on the large Bible that was open on the stand, Mrs. Stanford linked her left arm in his right and held her parasol to shelter him from the rays of the midday sun. He began in measured phrases: "In the few remarks I am about to make, I speak for Mrs. Stanford, as well as myself, for she has been my active and sympathetic coadjutor and is co-grantor with me in the endowment and establishment of this University..." What manner of people were this man and this woman, who had the intelligence, the means, the faith and the daring to plan a major university in Pacific soil, far from the nations center of culture ? a university that broke from the classical tradition of higher learning?
+
+
+
+ https://staging.giveth.io/project/Institute-for-Social-Policy-and-Understanding
+ Institute for Social Policy and Understanding
+ ISPU provides objective research and education about American Muslims to support well-informed dialogue and decision-making.
+
+
+
+ https://staging.giveth.io/project/Saluvida-Incorporated
+ Saluvida Incorporated
+ The Marfa Food Pantry at 1403 West Highway 90 is sponsored by Saluvida, Inc., a 501(c)(3) non-profit, tax-exempt corporation. Bulk food is purchased from the West Texas Food Bank in Odessa and trucked to the Marfa Food Pantry. Local entities and individuals donate food and funding to purchase the food. Volunteers repackage the food into family-sized quantities at the Pantry and people of marfa in need come to the Pantry for distribution. Individuals in need of food can obtain it even between distribution days by calling for help.
+
+The Marfa Food Pantry came into being in 1998 when the use of the building and payment of utilities and real estate taxes was set up by Genevieve and Elbert Bassham. Some refrigerators, freezers, and shelving have been donated but most have been purchased. One side of the building is used as a Thrift Shop where donations of clothing and other items are accepted and resold to help support the Pantry.
+
+
+
+ https://staging.giveth.io/project/Rainforest-Foundation-US
+ Rainforest Foundation US
+ The Rainforest Foundation works on-the-ground to secure land rights for indigenous people. We strengthen indigenous land security and train indigenous communities to use technology to protect their forests. By investing directly in indigenous communities, we connect people who are deeply motivated to conserve their ancestral lands with the tools, training, and resources necessary to protect their rainforests.
+
+
+
+ https://staging.giveth.io/project/UC-Santa-Barbara-Foundation
+ UC Santa Barbara Foundation
+ The UC Santa Barbara Foundation actively works to further the goals of the University of California, Santa Barbara. The Foundation seeks to maintain and nurture the Universitys quality and distinction. On behalf of the campus, The Founder raises and administers funds that support UCSBs objectives of teaching, research and public service. The Foundation also provides counsel and general assistance to the campus, its students, faculty and staff.
+
+
+
+ https://staging.giveth.io/project/Centros-Sor-Isolina-Ferre-Inc
+ Centros Sor Isolina Ferré, Inc
+ Promote the integral development of the person with justice, dignity, respect and love, acknowledging that we are children of God and siblings of each other. Serve a generational range with multiple social, educational, economic, and spiritual needs. Use intercession, educational and technological training and community self-management as institutional strategies.
+
+
+
+ https://staging.giveth.io/project/Dream-Foundation-Arizona
+ Dream Foundation Arizona
+ IN 2020, THE POSITION SPORTS DREAM INITIATIVE WAS ESTABLISHED TO RECOGNIZE AND CELEBRATE THE UNIQUE OPPORTUNITIES THAT OUR INDUSTRY PROVIDES IN UNITING GROUPS FOR A COMMON GOAL. WE STRIVE TO CREATE AN INCLUSIVE AND DIVERSE WORK ENVIRONMENT IN WHICH STAFF MEMBERS WILL FEEL SAFE, RESPECTED, AND VALUED REGARDLESS OF RACE, ETHNICITY, SEX, GENDER IDENTITY, SEXUAL ORIENTATION, RELIGION, SOCIOECONOMIC STATUS, ABILITY, OR AGE. AS PART OF THIS INITIATIVE, OUR TEAM ESTABLISHED THE DREAM PROGRAM AS A WAY TO SUPPORT UNDERSERVED COLLEGE STUDENTS FROM HISTORICALLY BLACK COLLEGES AND UNIVERSITIES IN THE SPORTS BUSINESS INDUSTRY.
+
+
+
+ https://staging.giveth.io/project/Selah-Neighborhood-Homeless-Coalition
+ Selah Neighborhood Homeless Coalition
+ SELAH is on a mission to ensure that our unhoused neighbors have access to as much community support and political recognition as possible. We hope to accomplish this through material aid, connection to existing services and policy advocacy. We seek to expand that understanding to other members of our community while building relationships with our unhoused neighbors to better understand their unique needs, situations and struggles.
+
+
+
+ https://staging.giveth.io/project/CARE
+ CARE
+ CARE works around the globe to save lives, defeat poverty and achieve social justice. Whether its providing critical assistance in a sudden emergency in Haiti or ongoing crisis in Afghanistan, combating hunger and malnutrition in Somalia, increasing access to health care for mothers and their children in India, or ensuring girls have the right to an education in Nepal, CARE is committed to strengthening communities by empowering women and girls. Today, CARE operates in over 100 countries and impacts the lives of more than 90 million people each year.
+
+
+
+ https://staging.giveth.io/project/Just-Human-Productions-Inc
+ Just Human Productions Inc
+ Vision<br>JUST HUMAN PRODUCTIONS’ vision is to change the way people think about health and social justice.<br><br>Mission: Our mission is to build community and collaboration around issues of health disparity and to bring about healing.
+
+
+
+ https://staging.giveth.io/project/American-Near-East-Refugee-Aid-(Anera)
+ American Near East Refugee Aid (Anera)
+ Since 1968, Anera has helped refugees and others hurt by conflicts in the Middle East live with dignity and purpose. Anera, which has no political or religious affiliation, works on the ground with partners in Palestine (West Bank and Gaza), Lebanon and Jordan. We mobilize resources for immediate emergency relief and for sustainable, long-term health, education, and economic development. Our staff serve in their communities, navigating the politics that constrict progress to get help where it’s needed most. That’s how Anera delivered 98.3 million in
+programs in 2020 alone, and it’s how we will keep building better lives until hope finds its way in the Middle East.
+
+
+
+ https://staging.giveth.io/project/Listen-and-Talk
+ Listen and Talk
+ Listen and Talk teaches children with hearing loss to communicate and learn through listening and spoken language.
+
+
+
+ https://staging.giveth.io/project/Building-Markets
+ Building Markets
+ Building Markets builds inclusive economies for small businesses so that all people have the opportunity to rise.
+
+
+
+ https://staging.giveth.io/project/Vermont-Hackerspaces-Inc
+ Vermont Hackerspaces Inc
+ Laboratory B is Burlington, Vermont’s member supported hacker space. Started in the Fall of 2010, at the Burlington 2600 meeting. It is now located at 12 North St in Burlington Vt, just a short walk from downtown.
+
+
+
+ https://staging.giveth.io/project/California-State-University-Northridge-Foundation
+ California State University, Northridge Foundation
+ CSUN Foundation advances the mission of California State University, Northridge, through relationship building, philanthropic gifts, and asset management. Since its founding in 1958, CSUN has impacted the lives of over 400,000 alumni.
+
+
+
+ https://staging.giveth.io/project/Constellation-Fund
+ Constellation Fund
+ Fight poverty in the Twin Cities by raising the living standards of individuals living below the poverty line in our seven-county metropolitan area.
+
+
+
+ https://staging.giveth.io/project/Court-Watch-NOLA
+ Court Watch NOLA
+ Court Watch NOLA fights for transparency, accountability, and transformative justice in the New Orleans criminal courts and beyond. We want to live and work in a safe, vibrant, and equitable world with liberation and justice for every person. CWN community volunteers monitor all criminal-legal actors: prosecutors, judges, police, deputy sheriffs, private defense, public defenders and clerk of courts.<br><br>Court Watch NOLA owes our very existence to the generosity of individual donors, the local businesses community, and local foundations. Crypto donation funds go directly to expanding our volunteer base which enables us to watch more cases, issue more comprehensive reports on a more frequent basis, and increase the amount of information disseminated to the public. Crypto donations also play an important role in helping Court Watch educate our community members about what is happening in our courts. Our goal is to shift the power back to the community through outreach and civic engagement.
+
+
+
+ https://staging.giveth.io/project/HERA-(Her-Economic-Rights-and-Autonomy)
+ HERA (Her Economic Rights and Autonomy)
+ Her Economic Rights and Autonomys (HERA) overall aims are to: (1) prevent dangerous migration, trafficking and violence against young women; (2) help women-led micro-enterprises grow their ventures; and (3) support women entrepreneurs in providing employment to young women at risk of trafficking, dangerous migration and exploitation.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Paraguaya
+ Fundacion Paraguaya
+ To develop and implement practical, innovative and sustainable solutions which eliminate poverty and create decent living conditions for every family.
+
+
+
+ https://staging.giveth.io/project/FUNDATIA-ADINA-STIFTELSEN
+ FUNDATIA ADINA STIFTELSEN
+ ajutorarea copiilor infectati cu hiv-sida, ajutorarea copiilor infectati cu diverse maladii, ajutorarea copiilor care provin din familii cu mijloace precare de existenta, construirea unor cladiri, colaborarea cu asiciatii, fundatii si alte institutii
+
+
+
+ https://staging.giveth.io/project/Joint-Aid-Management-(JAM-South-Africa)
+ Joint Aid Management (JAM South Africa)
+
+
+
+
+ https://staging.giveth.io/project/Immediate-Theatre
+ Immediate Theatre
+ Immediate Theatres vision is for a society where questioning, articulate and motivated people create and collaborate to build thriving communities. <br><br>Our aim is to involve communities in creative projects that inspire wellbeing, break down barriers and engage people in the process of personal and social change: <br> providing inspiring participatory arts programmes enabling people to reach their potential, preventing exclusion and social isolation<br> creatively exploring social issues, engaging people in the process of change and encouraging and enabling them to influence decision making<br> improving health and wellbeing; increasing life skills and employability through engagement in the arts.<br><br>We believe in the importance of giving people a voice and the transformative power of theatre and the arts in all lives. We work in partnership to develop work that supports our values to be:<br><br>Inclusive - working at the grass roots and celebrating diversity<br>Interactive - involving communities throughout the creative process<br>Imaginative - finding new ways to engage with vital issues
+
+
+
+ https://staging.giveth.io/project/Welzijnsschakels-Boom
+ Welzijnsschakels Boom
+
+
+
+
+ https://staging.giveth.io/project/Soy-Nina
+ Soy Nina
+ The mission of Soy Nina is (1) to empower girls who live in conditions of vulnerability, offering a safe space to get to know themselves and meet with their peers so that through their own experiences, meaningful learning, playful activities and the collective construction of knowledge, they can develop and strengthen their socio-emotional skills that allow them to take care of themselves, stay in school and make informed decisions regarding their own lives and (2) to create awareness on the unique challenges that all girls under 18 face in Costa Rica and globally. <br><br>After almost three and a half years since their beginning, they have worked mostly with girls aged 6-12 years in three vulnerable communities in Desamparados, San Jose, Costa Rica. Their program is on-going and the great majority of girls have stayed in the program throughout the years. <br><br>Soy Ninas main program is "Club Nina" (Girls Club), a free-of-charge after-school program with affinity to the public education systems calendar, based on life-skills development, human rights, early comprehensive sexual education, all with age-appropriate information and activities.
+
+
+
+ https://staging.giveth.io/project/SANTI-(Social-Association-for-Nourishment-Training-Improvement-)
+ SANTI (Social Association for Nourishment, Training Improvement )
+ SANTI is a result oriented charity organization based in rural setting of Ranibandh, Rajgangpur, Odisha, India. SANTI was established in 1995 and is very active in local area. Children education is the flagship program for the organization including vocational training for women, small business training for women, eliminating child labor, training for sanitation etc.<br><br>Provide education to needy and poor children. <br>Provide support to Women to generate their own income.
+
+
+
+ https://staging.giveth.io/project/The-Good-Shepherd-Agricultural-Mission
+ The Good Shepherd Agricultural Mission
+ The Good Shepherd Agricultural Mission is an independent, non-governmental, social development organization that has been providing support to those in need since 1952. The Mission works in an array of areas, support to lepers, vocational training, education, disaster relief etc. but its primary focus is the care and protection of orphan children.<br><br>The Mission works hard to provide a loving home and family for every child in its care working hard to promote family relationships and impart a spirit of responsibility in every member of the organization.
+
+
+
+ https://staging.giveth.io/project/Society-for-Human-Development
+ Society for Human Development
+ Empowering community to build an environment for peace building, interfaith harmony and development.
+
+
+
+ https://staging.giveth.io/project/UNIVERSITAT-DE-VALENCIA-(ESTUDI-GENERAL)
+ UNIVERSITAT DE VALENCIA (ESTUDI GENERAL)
+ The University of Valencia, as a public service, is responsible for providing students with the teachings needed for their education, their preparation for professional practice or artistic activities and their obtaining, if appropriate, of the relevant academic qualifications, and for updating the knowledge and skills of its staff and lecturers at all levels of education. The University of Valencia encourages research, both basic and applied, and the scientific and technological development. Likewise, with its own guarantees of rationality and universality, it is an institution that spreads culture within society. The University of Valencia offers, stimulates and hosts intellectual and critical activities in all fields of culture and knowledge. In carrying out these functions, the University of Valencia will bear in mind the harmony of knowledge arising from the development of human thought and aimed at improving people and their coexistence in a plural and democratic society.
+
+
+
+ https://staging.giveth.io/project/Snehalaya-UK
+ Snehalaya UK
+ The Charitys objects (the objects) are <br><br>1) To relieve persons in India suffering from poverty, sickness and distress in particular but not exclusively for victims of the sex trade and their children. <br><br>2) To advance for public benefit the education of the inhabitants of India.<br><br>3) To prevent or relieve poverty or financial hardship in India by providing or assisting in the provision of education, training, healthcare projects and all the necessary support designed to enable individuals to generate a sustainable income and be self-sufficient.<br><br>4) To provide relief to survivors of human trafficking through providing or assisting in the provision of medical treatment, advice on and access to housing provision and financial and legal support.
+
+
+
+ https://staging.giveth.io/project/World-Business-Council-for-Sustainable-Development
+ World Business Council for Sustainable Development
+ Défendre les intérêts du développement durable, participer à lélaboration de politiques pour créer les conditions cadres pour une contribution effective des entreprises au développement durable, développer et promouvoir des arguments commerciaux en faveur du développement durable, démontrer la contribution apportée par les entreprises au développement durable et partager une pratique de pointe parmis les membres, contribuer à un avenir durable pour toutes les nations (cf. statuts pour but complet).
+
+
+
+ https://staging.giveth.io/project/Arzte-ohne-Grenzen-eV
+ Arzte ohne Grenzen eV
+ Medicins sans frontieres is an international humanitarian aid organisation. We offer medical assistance to population in distress, to victims of natural or man-made disasters and to victims of armed conflicts, without discrimination and irrespective of race, religion or political affiliation.
+
+
+
+ https://staging.giveth.io/project/Humanity-Rising-Inc
+ Humanity Rising, Inc
+ Build the Next Generation of Leaders and Social Innovators
+
+
+
+ https://staging.giveth.io/project/CoderDojo-Foundation
+ CoderDojo Foundation
+ The CoderDojo movement believes that an understanding of programming languages is increasingly important in the modern world, that its both better and easier to learn these skills early, and that nobody should be denied the opportunity to do so.
+
+
+
+ https://staging.giveth.io/project/Mutual-Aid-Myanmar-Inc
+ Mutual Aid Myanmar Inc
+ A collection of activists, academics, and policy makers working to support the democracy movement in Myanmar. We work closely with Civil Disobedience Movement organizers to help sustain the government and critical-industry workers who have put their livelihoods on the line for democracy.
+
+
+
+ https://staging.giveth.io/project/MODAFUSION
+ MODAFUSION
+ Our Professional training CASA93 in fashion of a new kind that is free and that places the emphasis on<br>commitment and self-expression rather than on qualification requirements. It is for young<br>creatives that have not found their place at school or who have financial problems and who<br>we train to dream up the fashion of tomorrow in a more human, transparent and responible<br>way. CASA 93 is a social and educational project organised by the association<br>MODAFUSION.
+
+
+
+ https://staging.giveth.io/project/Mann-Deshi-Foundation
+ Mann Deshi Foundation
+ The organization seeks to improve the quality of life of women and their families living in the rural areas of Maharashtra & Karnataka. Our primary objective is to empower rural women and fight injustices based on gender, caste and class. Our programs are designed to improve our clients quality of life by promoting education, health, property rights, leadership and technology.
+
+
+
+ https://staging.giveth.io/project/Mission-Smile
+ Mission Smile
+ Mission Smile conducts its medical Mission across India, to provide free comprehensive Cleft care surgeries to children & adults suffering from facial deformities like Cleft lip & Cleft palate. The missions are volunteered by credentialed surgeons, anesthetist and nurses across the country.
+
+
+
+ https://staging.giveth.io/project/Perkumpulan-Pelita-Indonesia
+ Perkumpulan Pelita Indonesia
+ Pelita Indonesia was founded in 2003 as a social organization engaged in community development projects that will increase the overall health and welfare of West Java citizens.<br>Through our organization our vision is to empower the underprivileged people of Indonesia so that they can escape the confines of poverty and have a long healthy life, which will in turn affect the entire community.<br><br>Pelita Indonesia carries out our mission stated above in three main initiatives. Provide clean water solutions, provide healthcare assistance for TB patients and participate in disaster relief efforts.<br><br>We operate a factory where we produce ceramic water filters. These filters are inexpensive and produce clean and safe drinking water for Indonesians in need. We provide these filters at no cost to the recipients.<br><br>Pelita indonesias health team is focused on providing care, counseling and help to Indonesians with Tuberculosis that do not have adequate access to the healthcare they need. We work in partnership with the Indonesian government in providing this care at no cost to the patients.<br><br>Pelita Indonesia also provides a variety of disaster relief help for communities and individuals affected by floods, landslides, earthquakes, and tsunamis. We are local, so we can be on the ground quickly providing essential immediate needs. We also are committed to and equipped to assist in long-term needs of the victims of disaster.
+
+
+
+ https://staging.giveth.io/project/Ol-Pejeta-Conservancy
+ Ol Pejeta Conservancy
+ Ol Pejeta Conservancy works to conserve wildlife, provide a sanctuary for great apes, and to generate income through wildlife tourism and complementary enterprise for reinvestment in conservation and communities.
+
+
+
+ https://staging.giveth.io/project/Katalyst
+ Katalyst
+ Katalyzing
+
+
+
+ https://staging.giveth.io/project/Polskie-Stowarzysznie-na-rzecz-Osob-z-Niepenosprawnoscia-Intelektualna
+ Polskie Stowarzysznie na rzecz Osob z Niepenosprawnoscia Intelektualna
+ The mission of the Association is: caring for the dignity, happiness and quality of life of people with intellectual disabilities, their equal place in the family and society, supporting the families of people with intellectual disabilities in all areas of life and situations, and especially in their readiness to help others
+
+
+
+ https://staging.giveth.io/project/Maria-Cristina-Foundation
+ Maria Cristina Foundation
+ Helping underprivileged children in the slums of Dhaka, Bangladesh break the cycle of poverty through education.
+
+
+
+ https://staging.giveth.io/project/Oxford-Mutual-Aid-Limited
+ Oxford Mutual Aid Limited
+ OMAs vision is of a society where everyone has access to healthy, nutritious, and affordable food, while benefiting from the positive impact on physical health, well-being and social connectivity that this brings. <br><br>OMAs mission<br><br>OMAs mission is to embed the belief throughout our city that access to healthy, nutritious and affordable food is a basic human right. While inequalities in accessing food persist, and while food vulnerability affects people in our communities, we seek to redress this imbalance by delivering free, healthy food and re-heatable meals to people experiencing deprivation and food poverty in our city. <br><br>Our mission is mutual aid, not charity. All our food services are delivered with dignity and in solidarity.<br><br>OMAs Mission in Focus: <br><br>Oxford Mutual Aid is a community organisation which works to support our peers and neighbours in Oxford, primarily through the provision of food support. Founded to respond to the challenges of the pandemic, we have since become a vital part of Oxfords aid infrastructure. We are the only local service that is active seven days a week, operates on a delivery basis, and supplies baby necessities.<br><br>We believe that nobody should face food insecurity, or experience stigma for seeking assistance. We do not implement means testing as it is invasive, expensive, and discourages people from seeking help. We provide regular food, baby and other essential supplies parcel support to more than 2,000 people in 834 households across Oxford (over 1% of the non-student population) and have delivered over 20,000 food parcels to date. <br><br>We believe in supporting physical, mental, and emotional health. For this reason we offer nutritious and inviting food parcels that match the preferences, health requirements, and ethical/religious needs of each individual. Where people dont have the facilities or capacity to cook, we offer volunteer-prepared meals. Our Kitchen Collective programme has to date provided over 30,000 meals to the community, which, as well as providing nutritious meals to those with minimal cooking facilities, has been vital in bringing together organisations from across the city, including colleges, universities and local groups. <br>Collaboration has always been at the heart of what we do. This is centered upon building systems that source and supply nutritious food to those who need it, reduce food waste and, and support local businesses. Through local supply networks, we can increase the food/supply resilience of our community in a time of uncertainty.<br>We believe in solidarity. Our volunteers come from within the community that we serve. Many of us receive food support from Oxford Mutual Aid, giving us invaluable insight into how our processes work on every level. We aim to ensure that volunteers and recipients are empowered to see their positive impact in the community, harnessing their abilities in ways that recognise the value of diverse experiences, while being mindful of different capacities. We try to ensure that the people delivering parcels to each individual remain the same week by week, so that they can develop a rapport. We also contact each of our regular recipients of support each week, with the aim of creating a network that connects our users to each other and their community, reducing the risk of social isolation and the negative health outcomes that it causes. <br>We believe in community. This foundational value is why we wish to establish an intergenerational lunch club, enabling members of the community to socialise with each other where they otherwise would not have the opportunity.
+
+
+
+ https://staging.giveth.io/project/The-AbleGamers-Foundation-Inc
+ The AbleGamers Foundation Inc
+ Create opportunities that enable play in order to combat social isolation, foster inclusive communities, and improve the quality of life for people with disabilities.
+
+
+
+ https://staging.giveth.io/project/KEARNY-STREET-WORKSHOP-INC
+ KEARNY STREET WORKSHOP INC
+ The mission of Kearny Street Workshop is to produce, present and promote art that empowers Asian Pacific American artists and communities.
+
+
+
+ https://staging.giveth.io/project/Reach-Out-and-Feed-Philippines-Inc
+ Reach Out and Feed Philippines Inc
+ OUR MISSION Feed, Nourish, Empower! Our mission is to be a part of the solution to the national crisis of hunger and malnutrition in the Philippines, through school & community feeding and nourishment programs.
+
+
+
+ https://staging.giveth.io/project/The-National-Trust-for-the-Cayman-Islands
+ The National Trust for the Cayman Islands
+ The National Trust has been "Protecting the future of Caymans heritage" since its inception in 1987.<br>The Trust is a not-for-profit NGO created by the Cayman Islands National Trust Law (as revised) to preserve the history and biodiversity of the Cayman Islands. Through education and conservation we work to protect environmentally sensitive and historically significant sites across all three Cayman Islands.<br>The Trusts Mission is:<br><br>To preserve natural environments and places of historic significance in the Cayman Islands for present and future generations.<br><br>The Trust has over 700 members consisting of 311 Life Members and 440 Regular Members.
+
+
+
+ https://staging.giveth.io/project/Graduate-Women-International-(GWI)-(formerly-International-Federation-of-University-Women)
+ Graduate Women International (GWI), (formerly International Federation of University Women)
+ Graduate Women International (GWI), founded in 1919 as the International Federation of University (IFUW), is a worldwide, non-governmental organisation of women graduates. GWI advocates for womens rights, equality and empowerment through access to quality secondary and tertiary education and training up to the highest levels. GWIs mission is to: Promote lifelong education for women and girls; Promote international cooperation, friendship, peace and respect for human rights for all, irrespective of their age, race, nationality, religion, political opinion, gender and sexual orientation or other status; Advocate for the advancement of the status of women and girls; and Encourage and enable women and girls to apply their knowledge and skills in leadership and decision-making in all forms of public and private life.
+
+
+
+ https://staging.giveth.io/project/ADPP-Mozambique
+ ADPP - Mozambique
+ ADPPs mission is founded on the strong conviction that meaningful development happens in the heart and minds of people, in their interactions with each other and within their socio-economic and cultural context. When people are respected and consulted and when they are empowered with capabilities and options, they become the force driving of their changes in their lives.
+
+
+
+ https://staging.giveth.io/project/Hope-Joyagdol
+ Hope Joyagdol
+ Hope joyagdol aims to be an independent NGO operated by citizens, by citizens, and for citizens that is not tied to a specific interest group such as politics or religion and does not depend on government and corporate subsidies.
+
+
+
+ https://staging.giveth.io/project/DENBY-DALE-PARISH-ENVIRONMENT-TRUST
+ DENBY DALE PARISH ENVIRONMENT TRUST
+ Conservation and protection of the natural and built environment of Denby Dale parish; provision , improvement and maintenance of accessible open space, parks and public amenities.
+
+
+
+ https://staging.giveth.io/project/FUNDACJA-KOALICJA-DLA-MLODYCH
+ FUNDACJA KOALICJA DLA MLODYCH
+ The mission of Coalition for Youth Foundation is: Here where we live, we should be fine. We run regular programs for three groups of beneficiaries:<br><br>FOR YOUNG PEOPLE Acceptance. New opportunities<br> We help young people to reveal their talent and build a life on it. We award Clover scholarships<br> We provide an alternative to what they have on a daily basis. We teach a new one at our original workshops. We help discover talent We organize shows.<br> We teach young people to be socially active. We give grants for their own ideas<br><br>FOR SENIORS Respect. Care. Active life<br> We are creating an Active Seniors Center so that they leave home and make them feel needed<br> We use the skills and life wisdom of the Elders to build a world of values in the Young. Joint projects have priceless power<br> We help the elderly in a difficult living situation. We donate food.<br><br>FOR LOCAL COMMUNITIES Motivation. Knowledge. An impulse to change<br> We make the dreams of small communities come true, for example about a playground or a day-room for children. We award mini grants, including: as part of the Act Locally Program<br> We organize trainings and provide specialist consultancy for local NGOs. That they are effective and always "up to date"<br> We infect people to act by providing equipment, materials and the Foundations premises. We run the Biaobrzeg Civic Center<br><br><br>Beyond that we got involved in helping Ukrainian Refugees coming to our region.<br>Our main activities for Ukrainian refugees:<br>- we organize the biggest collection of food, hygiene products, clothes, medicaments, etc. in the region<br>- we run the largest gift warehouse in the region, which is open from Monday till Saturday.<br>- we have registered over 1 thousand refugees, which we help, but we relocate also our help to other destinations in the region or even in Warsaw as at the beginning we are welled organized<br>- we find shelter for all of the refugees we help- cover food for them, and all needed products<br>- we cooperate with local authorities and schools to integrate the refugees<br>- We cover cost of school starter kit for kids going to school<br>- we work with companies to find jobs for refugees<br>- we pay for school dinners for children<br>- we work with over 200 volunteers regularly
+
+
+
+ https://staging.giveth.io/project/All-Ukrainian-Charity-Child-Well-being-Fund-Ukraine
+ All-Ukrainian Charity - Child Well-being Fund Ukraine
+ The Mission of the Fund is to ensure positive changes for creating an encouraging environment for disclosure of the full potential of every child in Ukraine.<br><br>Main goal: development and implementation of innovations into social work, community mobilization and development of the partnership to improve the living conditions of children and families.<br>The main objectives of the Fund:<br>- to support the implementation of national, regional, local and international programmes, projects or activities aimed at developing and introducing innovative approaches in social work, mobilization of communities and development of partnerships for well-being of children, young people and families in Ukraine;<br>- to protect of the rights of children and young people, to support and supervise social changes aimed at improving the situations of children, young people and families in Ukraine;<br>- to support reforms of the system of social services for children, young people and families in communities in the context of the reform of the local self-government and decentralization;<br>- to assist in the intensification and development of public initiatives aimed at improving the situations of children, young people and families in territorial communities;<br>- to promote new approaches in health care;<br>- to assist in improving the professional skills of social work specialists in educational, pedagogical, social and psychological work;<br>- to provide charitable aid (including humanitarian aid) for children, young people and families in difficult circumstances.
+
+
+
+ https://staging.giveth.io/project/Zagoriy-Foundation
+ Zagoriy Foundation
+ Our mission is to develop the culture of charitable giving in Ukraine. To implement this mission, we set the following goals: <br> - to increase the number of people practising giving; <br> - to popularize concepts of charitable giving, patronage and philanthropy among Ukrainians; <br> - to increase trust in charitable foundations and organizations in Ukraine. <br>The war has made significant adjustments and changed our plans for 2022. However, we continue to pursue our mission. Nowadays, we see our goal for 2022 in supporting local non-profit organizations, which are currently continuing their activities and helping beneficiaries cope with humanitarian, psychological, physical and other problems. The purposes for 2022: <br> - coordination of activities (needs assessment and further support in research of resources); <br> - support in the sustainability of local organizations (consultative, financial and informational); <br> - promoting the importance of philanthropy through the foundations media and communication platforms in Ukraine and abroad.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Cimientos
+ Fundacion Cimientos
+ Cimientos is dedicated to promote equal opportunities in education through programs that encourage school inclusion and improve the quality in education for children and youth from low income families in Argentina.
+
+
+
+ https://staging.giveth.io/project/Kinder-und-Jugendfarm-Darmstadt-eV
+ Kinder - und Jugendfarm Darmstadt eV
+ working with children and young people in addition with a lots of animals<br>giving them a place to have fun and get a lot of experience for further life
+
+
+
+ https://staging.giveth.io/project/Tvoya-opora
+ Tvoya opora
+ Mission<br><br>We return the freedom and joy of life to children<br><br>Values<br>- Honesty<br>- Responsibility<br>- Common sense<br>Ukraine now is living its hardest times!<br><br>And the Your Support (Tvoya Opora) Foundation, which has been helping children for 8 years, cannot stay aside.<br><br>We will help children, Ukrainians, the wounded and all those affected by the war!<br><br>Our partner hospitals are already asking us for help. They need medicines and food.<br><br>We ask those who care, as well as our international partners and donors, to support us in these difficult times.<br><br>We believe in our army and in upcoming peace!
+
+
+
+ https://staging.giveth.io/project/Greenpeace-Australia-Pacific
+ Greenpeace Australia Pacific
+ Greenpeace is the leading independent campaigning organization that uses peaceful protest and creative confrontation to expose global environmental problems and promote solutions that are essential to a green and peaceful future.
+
+
+
+ https://staging.giveth.io/project/INTERNET-SOCIETY-YEMEN-CHAPTER
+ INTERNET SOCIETY YEMEN CHAPTER
+ The Internet Society supports and promotes the development of the Internet as a global technical infrastructure, a resource to enrich peoples lives, and a force for good in society.<br><br>Our work aligns with our goals for the Internet to be open, globally-connected, secure, and trustworthy. We seek collaboration with all who share these goals.<br><br>Together, we focus on:<br><br>Building and supporting the communities that make the Internet work;<br>Advancing the development and application of Internet infrastructure, technologies, and open standards; and<br>Advocating for policy that is consistent with our view of the Internet
+
+
+
+ https://staging.giveth.io/project/Tuwindi
+ Tuwindi
+ Use Information and Communication Technologies to support economic and social development in Africa. We work in the areas of governance and elections, media development, and digital health.
+
+
+
+ https://staging.giveth.io/project/Legal-Development-Network
+ Legal Development Network
+ We empower people legally, protect human rights and freedoms, and develop communities
+
+
+
+ https://staging.giveth.io/project/Yayasan-Koaksi-Indonesia
+ Yayasan Koaksi Indonesia
+ 1. Encourage policy changes to support renewable energy that is equitable, inclusive, and sustainable. <br>2. Raise public awareness, especially young people who are voicing out and using renewable energy through direct campaigns, digital campaigns, and media engagements.<br>3. Encourage collaboration of strategic stakeholders, including the private sector and financial institutions to support renewable energy industries and ecosystems.<br>4. Strengthen and increase the capacity of civil society to become pioneers and champions in renewable energy acceleration.<br>5. Develop Coaction Indonesias capacity as the network and knowledge hub in climate change and energy issues
+
+
+
+ https://staging.giveth.io/project/Fundacion-Accion-contra-el-Hambre
+ Fundacion Accion contra el Hambre
+ Action Against Hungers mission is to save lives by eliminating hunger through the prevention, detection and treatment of malnutrition, especially during and after emergency situations of conflict, war and natural disaster. From crisis to sustainability, Action Against Hunger tackles the underlying causes of malnutrition and its effects. The organisation works directly with affected communities, together with governments, Ministries of Health, UN bodies, international Civil Society Organisations, national and local community based organisations, research institutions and national and international policy makers. Action Against Hunger operates through an extensive network which includes five global headquarters (France, Spain, USA, UK and Canada), over 45 country offices and over 5,000 staff worldwide.<br><br>Action Against Hunger is the worlds hunger specialist and leader in a global movement that aims to end life-threatening hunger for good within our lifetimes. For 40 years, the humanitarian and development organization has been on the front lines, treating and preventing hunger across nearly 50 countries. It served more than 21 million people in 2018 alone.
+
+
+
+ https://staging.giveth.io/project/Makina-Community-Development-Project-(MACODEP)
+ Makina Community Development Project (MACODEP)
+ TO PROVIDE PRACTICAL AND SUSTAINABLE SOLUTIONS TO THE CHALLENGES EXPERIENCED BY PEOPLE LIVING IN INFORMAL SETTLEMENTS DUE TO POVERTY
+
+
+
+ https://staging.giveth.io/project/Civil-Society-Forum-of-Tonga
+ Civil Society Forum of Tonga
+ We will build resilient through the empowerment of communities to lead their own developmental inspirations, in all awareness, training, and submissions we made to the government of Tonga<br><br>We will ensure Sustainability in all our developmental investments ensuring they are locally led and that it empowers participation through institutional strengthening and capacity buildings<br><br>That we will ensure that our works encapsulate Inclusive partnership for Equality & inclusive prosperity through equal participation to information and to financial support.<br><br>We will ensure that we Amplify voices our people and that "rights people-centered development" is reflected through evidenced-based decisions based on data collated through research <br> <br>We will ensure to build Accountable and transparent institutional through institutional strengthening and capacity building<br><br>Will build Capacity of our members<br><br>Resource Mobilization - self-reliance and organizational sustainability (business model) - social enterprise
+
+
+
+ https://staging.giveth.io/project/Llais-y-Goedwig
+ Llais y Goedwig
+ To promote and represent Community Woodland Groups in Wales locally, regionally and nationally - building the capacity of communities to sustainably manage woodlands for and with local people
+
+
+
+ https://staging.giveth.io/project/Ojala-Ninos-AC
+ Ojala Ninos AC
+ To be a model for extra-curricular education to indigenous communities in Mexico for children of all ages, using art, music and literacy in a space for learning that inspires creativity and develops critical thinking skills and self-confidence. Enabling children and their families to expand these activities into cooperative businesses for sustainability. Encouraging them to have the vision to create projects that will offer solutions to environmental, health and social justice issues in their own communities. Ojala provides a safe haven where children can gather and be guided without judgment; where their curiosity and creativity can have no limits. This kind of environment stimulates thought, imagination and the potential to find liberation from poverty, ignorance and oppression, which leads to personal pride, strength of character and the desire to build a cooperative community.
+
+
+
+ https://staging.giveth.io/project/Recicla-Latam
+ Recicla Latam
+ Articulate all the actors of the recycling chain to ensure the closure of the materials, increasing the rates of recyclability, dignifying the work of the recyclers.
+
+
+
+ https://staging.giveth.io/project/Italian-Red-Cross
+ Italian Red Cross
+ Protection and promotion of health and life; social inclusion; Prevention and emergency response; Promotion of International Humanitarian Law and International Cooperation; Youth development and culture of active citizenship.
+
+
+
+ https://staging.giveth.io/project/Multifuncional-community-center-(MCC)
+ Multifuncional community center (MCC)
+ We support communities in need and mainly the vulnerable, help children, girls who have survived trafficking, mediate in civil, family, commercial and possible criminal matters.<br><br>We support the peoples from the economic crises as well as the peoples evacuated in our country as a result of the wars in their countries.
+
+
+
+ https://staging.giveth.io/project/Choose-Love
+ Choose Love
+ Choose Love does whatever it takes to provide refugees and displaced people with everything from lifesaving search and rescue boats to food and legal advice. <br>We elevate the voices and visibility of refugees and galvanise public support for agile community organisations providing vital support to refugees along migration routes globally.<br><br>We are a lean, passionate team driving a fast-paced global movement across 15 countries. In just five years, we have reached one million refugees and raised tens of millions for nearly 150 organisations providing vital support at every <br>stage along migration routes from Europe to the Middle East and along the US-Mexico border.<br><br>Your support makes everything that we do possible. We are powered by you and by our vision - a world that chooses love and justice every day, for everyone.<br><br>Visit us at www.choose.love<br><br>(Choose Love is a restricted fund under the auspices of Prism the Gift Fund, UK Charity No 1099682. In the USA, Choose Love, Inc. is a 501(c)(3) charitable non-profit organization, and gifts are tax-deductible as allowed by law.)
+
+
+
+ https://staging.giveth.io/project/Instituto-Alicerce
+ Instituto Alicerce
+ The Institute has social goals related to the provision of aid, advice, the defense and guarantee of the rights of adolescents, youth and their families, and it also: <br>I Promotes labor market integration, by improving the quality of professional education and training; <br>II Offers social safety actions that enable the promotion of protagonism, citizen participation, the mediation of access to the labor world and social mobilization for building collective strategies;<br>III Provides aid to adolescents and to professional education in carrying out apprenticeship programs; <br>IV Provides methodical technical and professional training for adolescents, compatible with their physical, moral and psychological development; <br>V Promotes work by means of apprenticeship, acting as an integration agent between apprentices and companies, according to applicable legislation;<br>VI Liaison with other public policies related to labor market integration;<br>VII Works together with groups focused on strengthening bonds and developing behavior and skills for entering the labor world; monitoring is carried out throughout the process; <br>VIII Promotes political and citizenship training, developing, rescuing and/or strengthening protagonism by means of permanent critical thinking as a condition of personal growth and construction of autonomy, for social interaction; <br>IX Promotes the required support for youth with disabilities and their families aimed at acknowledging and strengthening their potentials and skills for labor world integration; <br>X Coordination of social aid benefits and services in promoting integration into the labor world, the defense and dissemination of ethics, citizenship, human rights and other universal values.
+
+
+
+ https://staging.giveth.io/project/Belgian-Red-Cross
+ Belgian Red Cross
+ We are an independent voluntary-sector organisation. The Belgian Red Cross forms part of the International Red Cross and Red Crescent Movement. Our mission involves three strands, namely to defend the interests of vulnerable people both at home and abroad, to be proactive in emergency-management, promoting self-reliance and organising blood supplies, and to care for vulnerable individuals. In all our activities, we rely heavily on the dedication of volunteers.
+
+
+
+ https://staging.giveth.io/project/Janaki-Women-Awareness-Society-(JWAS)
+ Janaki Women Awareness Society (JWAS)
+ Our mission is to organize the targeted groups- Women, children Youths and marginalized communities against Caste/ Gender in-equality, other social evils and help them to improve their health and economical status. We hope to make them self reliant so that they have a proper participation in the decision-making bodies in the society and are able to enjoy their rights.
+
+
+
+ https://staging.giveth.io/project/Clean-Air-Initiative-for-Asian-Cities-(CAI-Asia)-Center-Inc
+ Clean Air Initiative for Asian Cities (CAI-Asia) Center, Inc
+ Our mission is to reduce air pollution and greenhouse gas emissions in Asia and contribute to a more livable and healthy Asia for everyone, both now and in the future. Working in partnership with stakeholders from throughout the world to reduce air pollution and greenhouse gas emissions, Clean Air Asia is having, and will continue to have, a major impact by being a platform for change.
+
+
+
+ https://staging.giveth.io/project/Hopital-Magique
+ Hopital Magique
+ Childhood should be a time for magic, fun, playing, adventure, learning, and experimenting but it can be easily and to often depleted by illness, economic misfortune, or tragedy. Our mission is to improve the physical and emotional well-being of children who are vulnerable because of a difficult period or are struck by hardship; our hearts go out to children who are hospitalised, physically or mentally disabled, unaccompanied, neglected, disadvantaged, abused and unaccompanied. <br><br>We work with a variety of partners such as hospitals, associations, non-governmental organizations, institutions (schools, orphanages). <br><br>To accomplish what we set out to do we: <br>a) develop and implement our own programs and projects such recreational activities, sports, excursions and performances. <br>b) assist and help other likeminded organisations with a remit in childhood to deliver their programs and achieve their goals. <br><br>Our name " Magic Hospital" came natural, chosen for our desire to turn a hospital into a less frightening place for children, and for our mindset to appear out of the blue to help, to simply brighten a day , just like magic. <br><br>Magic Hospital was the first Non-profit to introduce programs in Chinese hospitals aimed solely at lifting the spirit of disadvantaged children. Hospitals in China rarely offer supportive activities for their little patients, plus the children are often far away from home. This lack of mental support gave birth to Magic Hospital in 2003 when we launched the first clown program in the Beijing Childrens Hospital, one of the largest paediatric hospitals in the world. <br><br>We are headquartered in Paris, France, where we are a fully registered organisation under the French law 1901. Our geographical scope is China and Europe. Our Board consists of 5 trustees Board. We support the principles of the Convention on the Rights of the Child. <br><br>Magic Hospital is a member of the International Play Association (IPA) which promotes Article 31 of the UN Convention on the Right of the Child: every child has the right to engage in play and recreational activities, to participate in cultural life and arts.<br><br>Our Vision: a future where every child experiences a childhood full of play and laughter.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Era-en-Abril
+ Fundacion Era en Abril
+ Strengthen the current work network of professionals and families, oriented towards the four main pillars of the foundation:<br>mutual help groups for parents, investigation and prevention of perinatal deaths, visibility of the problem<br>in society, specialized training in support of perinatal grief.
+
+
+
+ https://staging.giveth.io/project/Love-Mercy-Foundation-Ltd
+ Love Mercy Foundation Ltd
+ Love Mercy exists to empower communities in Northern Uganda to overcome poverty caused by the horrors of war. Love Mercy began in 2010 in Sydney, Australia after Eloise Wellings, Australian Olympian, met Ugandan Olympian and former child soldier, Julius Achon. She promised to fulfill his dream of restoring hope to his village in Northern Uganda after decades of civil war. Love Mercy sees a future where Northern Uganda is transformed through simple solutions to poverty. Our projects increase access to education, health care, and income generation and are funded entirely by generous donations from the public. We need your help.
+
+
+
+ https://staging.giveth.io/project/Centro-de-Acolhida-e-Cultura-Casa-1
+ Centro de Acolhida e Cultura Casa 1
+ To be a welcoming space for the LGBTQIAP+ population, always taking into account intersectionalities, such as issues of gender expressions and identity, sexual affective orientation, race and class. To act in the promotion of human dignity and social well-being of all people in a broad and free way, working to guarantee the effective access of this population to social and economic rights, in order to contribute to the structural transformation of society.
+
+
+
+ https://staging.giveth.io/project/Rainforest-Partnership
+ Rainforest Partnership
+ Rainforest Partnership conserves and restores tropical rainforests by working with communities to develop sustainable livelihoods that empower and respect both people and nature.
+
+
+
+ https://staging.giveth.io/project/Kids-in-Tech-Inc
+ Kids in Tech, Inc
+ Kids in Tech strives to excite, educate, and empower children to acquire skills and confidence in technology through interactive afterschool programs. Our programs focus on helping kids develop the necessary tech skills and aptitudes to participate in and be future leaders of the 21st- century innovation economy and beyond.
+
+
+
+ https://staging.giveth.io/project/Equality-Federation-Institute
+ Equality Federation Institute
+ Equality Federation Institute is an advocacy accelerator rooted in social justice, building power in our network of state-based lesbian, gay, bisexual, transgender, and queer (LGBTQ+) advocacy organizations. <br><br>In 1997, state-based LGBTQ+ organizations came together to harness their collective knowledge and power. Since then, Equality Federation Institute has become the leading movement builder, national network, and strategic partner to our 40+ member organizations. Collectively, our state partner network mobilizes more than 2 million supporters across the country to advance equality and justice.
+
+
+
+ https://staging.giveth.io/project/Big-Cat-Rescue-Corp
+ Big Cat Rescue Corp
+ To provide the best home we can for the cats in our care, end abuse of big cats in captivity and prevent extinction of big cats in the wild.
+
+
+
+ https://staging.giveth.io/project/Routt-County-United-Way
+ Routt County United Way
+ Our mission is to unite people, ideas, and resources to advance the common good in education, financial stability, and health. Routt County United Way, located in Steamboat Springs, Colorado, is the leader in health and human services. We are community builders, leaders, unifiers, and champions.
+
+
+
+ https://staging.giveth.io/project/National-Association-Of-Free-Charitable-Clinics-Inc
+ National Association Of Free Charitable Clinics Inc
+ Mission<br>Building healthy communities for all through quality, equitable, accessible healthcare.<br><br>Vision<br>A just society that ensures a healthy life and wellbeing for all.
+
+
+
+ https://staging.giveth.io/project/Operation-Broken-Silence
+ Operation Broken Silence
+ Operation Broken Silence is building a global movement to empower the Sudanese people through innovative programs as a 501(c)(3) nonprofit organization. We ally people just like you with incredible Sudanese teachers and healthcare workers. Together we are making the story of Sudan known, empowering survivors, and helping to build a renewed Sudan from the ground up.
+
+
+
+ https://staging.giveth.io/project/Jason-Mayfield-Ministries-Inc
+ Jason Mayfield Ministries Inc
+
+
+
+
+ https://staging.giveth.io/project/Naismith-International-Basketball-Foundation
+ Naismith International Basketball Foundation
+ CHANGING LIVES TODAY!
+We are a tax exempt- 501-C3 foundation (91-1917711). And we are here to help - underprivileged children around the world and promote the recognition of good sportsmanship in basketball and other sports by providing scholarships that will be awarded to participating students that are in sequence to the four doctorates that Dr. Naismith attained-DIVINITY-EDUCATION-MEDICINE-PSYCHOLOGY-. Starting from grade school levels, all the way through professional levels benefiting millions of boys, girls, coaches, parents and administration in between.
+
+
+
+ https://staging.giveth.io/project/FRAMELINE-INC
+ FRAMELINE INC
+ Framelines mission is to change the world through the power of queer cinema. As a media arts nonprofit, Framelines programs connect filmmakers and audiences in the Bay Area and around the world. Frameline Exhibition, also known as the San Francisco International LGBTQ+ Film Festival, was founded in 1977 and is the longest-running, largest, and most widely recognized LGBTQ+ film exhibition event in the world. Established in 1981, Frameline Distribution is the only nonprofit distributor that solely caters to LGBTQ+ film. And since 1990, more than 150 films and videos have been completed with assistance from the Frameline Completion Fund. Once completed, these films often go on to receive international exposure.
+
+
+
+ https://staging.giveth.io/project/FINCA
+ FINCA
+ FINCA works to end poverty through lasting solutions that help people build assets, create jobs and raise their standard of living. We believe that most of the worlds lowest income communities are better served with a hand up rather than a handout. So we listen to the poor, learn to understand their needs and wants, and harness market forces to deliver the goods and services they need at a price they can afford.
+
+
+
+ https://staging.giveth.io/project/Family-Programs-Hawaii
+ Family Programs Hawaii
+ Family Programs Hawaii strengthens youth and families to empower communities.
+
+
+
+ https://staging.giveth.io/project/Sentinels-of-Freedom-Scholarship-Foundation
+ Sentinels of Freedom Scholarship Foundation
+ Our mission is to assist severely wounded and injured, post-9/11 veterans in their efforts to become productive, self-sufficient members of their communities as they transition back into civilian life. Our customized, multi-year program offers support ranging from housing & living subsidies to financial coaching, mentoring, and individualized transition assistance as they face the numerous challenges in recovery and returning to civilian life. We call our program participants “Sentinels” in honor of their sacrifice in guarding America’s freedoms.
+
+
+
+ https://staging.giveth.io/project/Nadias-Initiative
+ Nadias Initiative
+ Nadia’s Initiative is dedicated to rebuilding communities in crisis and advocating globally for survivors of sexual violence. Nadia’s Initiative’s current work is focused on the sustainable re-development of the Yazidi homeland in Sinjar, Iraq. When ISIS launched their genocidal campaign, they not only killed and kidnapped Yazidis, but also destroyed the Yazidi homeland to ensure the community could never return.<br><br>Nadia’s Initiative partners with local communities and local and international organizations to design, support, and implement projects that promote the restoration of education, healthcare, livelihoods, WASH (water, sanitation, and hygiene), culture, and women’s empowerment in the region. All Nadia’s Initiative programs are community-driven, survivor-centric, and designed to promote long-term peacebuilding. Nadia’s Initiative advocates governments and international organizations to support efforts to rebuild Sinjar, seek justice for Yazidis, improve security in the region, and support survivors of sexual violence worldwide.
+
+
+
+ https://staging.giveth.io/project/National-MPS-Society-Inc
+ National MPS Society, Inc
+ The National MPS Society exists to cure, support, and advocate for MPS and ML.
+
+
+
+ https://staging.giveth.io/project/St-Benedicts-Episcopal-School
+ St Benedicts Episcopal School
+ St. Benedict’s Episcopal School is a school of choice for Preschool through 8th-grade families focused on inspiring learning, nurturing growth, and embracing the values of Episcopal education.
+
+
+
+ https://staging.giveth.io/project/RUNX1-Research-Program
+ RUNX1 Research Program
+ Founded in 2016 by a patient family, the RUNX1 Research Program’s mission is to support patients with RUNX1 Familial Platelet Disorder (RUNX1- FPD) by empowering our patient community and funding innovative, world-class research laser focused on preventing cancer. RUNX1-FPD is a rare hereditary blood disorder which predisposes an individual to developing blood cancer with a rate 30 times higher than the general population.<br><br>The RUNX1 Research Program has quickly worked to fill the massive medical research and public awareness gaps that exist around this disease and similar hereditary cancer mutations. Anyone can have RUNX1-FPD. Although considered a rare disorder, the frequency of RUNX1-FPD has been historically underestimated. We are committed to building awareness around the disease and amplifying the patient voice. RRP is the only non-profit organization worldwide that advocates and funds RUNX1-FPD research. RRP has committed over $9M in research grants aimed at understanding how inherited mutations predispose individuals to blood cancers. This important work has broad implications for cancer prevention in the general population as well.
+
+
+
+ https://staging.giveth.io/project/Vibrant-Emotional-Health
+ Vibrant Emotional Health
+ We work with individuals and families to help them achieve mental and emotional wellbeing. Our groundbreaking solutions deliver high quality services and support, when, where and how they need it. Our education and advocacy work shifts policy and public opinion so mental wellbeing becomes a social responsibility and is treated with the importance it deserves. We’re advancing access, dignity and respect for all and revolutionizing the system for good.
+
+
+
+ https://staging.giveth.io/project/Restore-Native-Plants-Wildlife-and-Landmark-Structures-Inc
+ Restore Native Plants, Wildlife and Landmark Structures Inc
+ Our mission is to protect, enhance, and restore native plants, wildlife, ecosystems, natural resources, and historic landmarks for the benefit of all. Our innovative team provides unique programs for the advancement of society so that others may learn about the importance of such conservation and preservation.
+
+
+
+ https://staging.giveth.io/project/All-Hands-and-Hearts
+ All Hands and Hearts
+ All Hands and Hearts provides community-inspired, volunteer-powered disaster relief.
+
+We take a humanitarian approach that emphasizes local involvement and empowerment during times of crisis. We actively engage community members, recognizing their invaluable knowledge of the area and its needs. Volunteers, motivated by compassion and a desire to help, contribute their time, skills and resources to assist affected communities, focusing on immediate relief and long-term recovery efforts. By fostering collaboration and understanding, we promote sustainable solutions that address the unique challenges faced by those impacted, building resilience and strength within the community.
+
+
+
+ https://staging.giveth.io/project/Common-Threads
+ Common Threads
+ Common Threads is a national nonprofit that provides children and families cooking and nutrition education to encourage healthy habits that contribute to wellness. We equip under-resourced communities with information to make affordable, nutritious and appealing food choices wherever they live, work, learn, and play. We know that food is rooted in culture and tradition so we promote diversity in our lessons and recipes, encouraging our participants to celebrate the world around them.
+
+
+
+ https://staging.giveth.io/project/Honeys-Mini-Therapy-Adventures
+ Honeys Mini Therapy Adventures
+ Our purpose is to use miniature horses to enhance the quality of life of those we serve. Individuals of all ages and limitations with physical, cognitive, emotional and behavioral disabilities find comfort, empowerment, self-esteem, unconditional love, strength, therapeutic interaction & value while working with the miniature horses. Also, to train and provide mini horses as service animals to persons with above stated disabilities. Finally to educate the general public on the mental health benefits of visiting miniature horse pet therapy.
+
+
+
+ https://staging.giveth.io/project/The-Grey-Muzzle-Organization
+ The Grey Muzzle Organization
+ The Grey Muzzle Organization saves and improves the lives of at-risk senior dogs by providing funding and resources to animal shelters, rescues, and other nonprofit groups nationwide. We envision a world where every senior dog thrives, and no old dog dies alone and afraid.
+
+
+
+ https://staging.giveth.io/project/Intervale-Center
+ Intervale Center
+ The Intervale Center is a nonprofit organization in Burlington, Vermont that strengthens community food systems that sustain farms, land, and people.
+
+
+
+ https://staging.giveth.io/project/The-nsoro-Educational-Foundation
+ The nsoro Educational Foundation
+ Since 2005, The nsoro Educational Foundation has provided critical support to young people aging out of our nations foster care system through the attainment of a post-secondary education.<br><br>nsoros scholarship, mentorship, and executive coaching programs equips collegians with essential tools to navigate their academic journey and more importantly, helps to positions a stable transition from college to career. <br><br>nsoro serves as a powerful disrupting agent for youth who are often trapped in systemic poverty and cyclical setbacks. <br><br>At nsoro, scholar success goes beyond achieving the dream of a college degree, it empowers equitable opportunities for a population of young people who reside at the edge of awareness, 78% of which are Black and Latinx collegians.
+
+
+
+ https://staging.giveth.io/project/Global-Impact
+ Global Impact
+ Global Impact inspires greater giving to nearly 100 trusted international charities. From education and clean water to global health and disaster relief, support the causes that matter most to you and make an impact on the world. For more than 60 years, we have strengthened international charities, generating nearly $2 billion to address humanitarian needs. Be inspired. Change the world. Give global. charity.org/give. With the generous support of donors, our collective assistance for international causes has a vital, far-reaching impact. Charitable gifts helps reduce global inequities, cultivate economic stability, and assure basic human needs such as clean water, global health and education.
+
+
+
+ https://staging.giveth.io/project/Ecology-Crossroads-Cooperative-Foundation
+ Ecology Crossroads Cooperative Foundation
+ The mission and vision of Ecology Crossroads has changed over the past 20 years to focus on protecting the ecosystems and people living in regions of the planet that are most critical and essential to everyones well-being.
+
+Our mission as an organization is to serve an integral role in creating an ecological and sustainable balanced world through the introduction of natural sustainable alternative solutions for some of the greatest environmental and humanitarian issues.
+
+Our vision today is to accomplish these goals through publicly accessible programs engaging donors developed by our members and supported through ecosystem restoration, ethical social enterprises, forest protection, indigenous philanthropy, land management, law enforcement and the creation of scouting programs.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-Massachusetts-Bay
+ United Way of Massachusetts Bay
+ United Way of Massachusetts Bay and Merrimack Valley has been responding to local needs and our region’s most pressing issues in partnership with our network of community-based organizations since our beginning in 1935. While the pandemic has left no one untouched, it also put a spotlight on the alarming disparities that have always existed throughout our region. As we look toward recovery, this pivotal moment demands an equity-forward response. At United Way, this is the lens that will guide us to move forward in reimagining and rebuilding a more resilient community for everyone.
+
+
+
+ https://staging.giveth.io/project/Primary-Education-Project
+ Primary Education Project
+ The mission of the Primary Education Project is to provide sustainable, quality education, especially for girls, without discrimination, in unreached marginalized communities, developing the skills of teachers and creating a network of effective leaders through wide-ranging training programs.
+
+
+
+ https://staging.giveth.io/project/Studio-ATAO
+ Studio ATAO
+ Studio ATAO (ah-tao, stands for all together at once) is an award-winning, 501(c)3 nonprofit community-based think tank and educational platform moving the food, beverage, and hospitality (FBH) industry forward through social justice research, thought leadership, and education.
+
+We are on a mission to make social justice relevant, accessible, and actionable to everyone in the FBH industry. Our vision is a world where all FBH community members can realize their power to advance equitable, systems-based change that centers those most impacted.
+
+
+
+ https://staging.giveth.io/project/Dreams-for-Schools
+ Dreams for Schools
+ We make STEM approachable and accessible for all. Empowering students. Cultivating curiosity. By providing the right tools and experience, we help kids program the future.<br><br>Dreams for Schools is a STEAM education non-profit organization working to advance education equity by bridging gaps in STEAM education, with an emphasis on computer science (CS), by working with a range of community stakeholders from K-12 students, educators, schools, districts, as well as higher education students to provide educational programs that would not otherwise be available to our clients.<br><br>DFSs primary programs include:<br>1. STEAM Curriculum Development<br>2. K-12 STEAM Classes<br>3. Vocational Opportunities for STEAM Higher Ed Students<br>4. Professional Development for Educators<br>5. Scholarships for STEAM Higher Ed Students
+
+
+
+ https://staging.giveth.io/project/VOUS-Church
+ VOUS Church
+ Our Bricklayers Offering is dedicated to accelerating the vision and propelling us into our future.
+
+
+
+ https://staging.giveth.io/project/Planned-Parenthood-Gulf-Coast-Inc
+ Planned Parenthood Gulf Coast, Inc
+ OUR MISSION: The mission of Planned Parenthood Gulf Coast, Inc. is to ensure the right and ability of all individuals to manage their sexual and reproductive health by providing health services, education, and advocacy.
+
+OUR VISION: Planned Parenthood seeks a world in which all children are wanted and cared for, all individuals have equal rights and dignity, sexuality is expressed with honesty, equality, and responsibility, and the decision to bear children is private and voluntary.
+
+OUR COMMITMENT: Care. No Matter What.
+
+
+
+ https://staging.giveth.io/project/Vietnamese-Baptist-Church-of-Garland
+ Vietnamese Baptist Church of Garland
+ Vision: A Home of Disciples Who Glorify God.<br>Mission Statement: Devoting ourselves to Jesus Christ, studying His Word, making disciples, and serving others.
+
+
+
+ https://staging.giveth.io/project/Shoes-That-Fit
+ Shoes That Fit
+ Shoes That Fit tackles one of the most visible signs of poverty in America by giving children in need new athletic shoes to attend school with dignity and joy, prepared to learn, play and thrive.<br><br>A new pair of shoes can be a life-changing event for a child. School attendance, self-esteem and behavior improve. Physical activity increases. Smiles return. All from an often over-looked item—a good pair of shoes. Our vision is that, one day, every child in America who needs new shoes gets new shoes, allowing all children the opportunity to reach their highest potential.
+
+
+
+ https://staging.giveth.io/project/Cultural-Arts-of-Waco
+ Cultural Arts of Waco
+ Mission: To engage and enrich our diverse community by providing art events, and cultural activities. <br>Vision/Purpose: to celebrate and promote the communitys diverse artistic and cultural life; develop and enrich its cultural capacity; and champion the economic, social, and educational benefits of the arts.<br>Our values: Excellence - Fostering excellence in the arts and culture. <br>Pride - Creating programs that our community can celebrate.<br>Education - Transmitting creative knowledge and skills.<br>Integrity - Operating with clear values and sincerity. <br>Diversity - Bridging a variety of people, arts, and cultures.<br>Commitment - Investing in the future by nurturing arts and people.<br>Optimism - Committing courage, energy, and hope to all we do.
+
+
+
+ https://staging.giveth.io/project/Austin-Community-Foundation
+ Austin Community Foundation
+ Austin Community Foundation is a grantmaking public charity dedicated to improving the lives of people in Central Texas. We bring together the financial resources of individuals, families, and businesses to support local causes and address the needs in our community.
+
+
+
+ https://staging.giveth.io/project/Yeshiva-Toras-Chaim-Toras-Emes
+ Yeshiva Toras Chaim Toras Emes
+ Yeshiva Toras Chaim Toras Emes is one of the largest yeshivos in the southeastern United States with over 1,200 students, ranging from junior pre-k through a post high school program. Every facet of the YTCTE experience is designed so our students and their families can grow in fine character traits, communal involvement, and knowledge. Since our inception in 1984, we have continued to grow and flourish as we guide our exemplary students along the path of educational excellence, preparing them to become the Jewish leaders of tomorrow.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-the-Hebrew-University-Inc
+ American Friends of the Hebrew University, Inc
+ The American Friends of the Hebrew University’s (AFHU) primary exempt purpose is to promote, encourage, aid, and advance higher and secondary education, research, and training in all branches of knowledge in Israel and elsewhere. To aid in the maintenance and development of the Hebrew University of Jerusalem in the state of Israel (The Hebrew University). Grants awarded to Hebrew University include but are not limited to, those for scholarships and fellowships, research capital projects faculty recruitment, and equipment.
+
+
+
+ https://staging.giveth.io/project/Austin-Disaster-Relief-Network
+ Austin Disaster Relief Network
+ To glorify Christ by equipping, empowering, and mobilizing a network of churches to respond to the physical, emotional and spiritual needs of those affected by disaster. Luke 10:25-37, Ephesians 4:12-16
+
+
+
+ https://staging.giveth.io/project/Players-Philanthropy-Fund
+ Players Philanthropy Fund
+ The Players Philanthropic Fund (PPF) is a registered 501 (C)(3) public charity created to provide a charitable vehicle, via fiscal sponsorship, in which philanthropists can safely and efficiently make charitable donations to the causes of their choice. <br> <br> Players Philanthropy Fund is a fiscal sponsor to hundreds of charitable projects. To ensure we properly allocate your donation to the correct project, please input the project name in the recommended purpose field. Please visit www.ppf.org/roster to learn more about our projects.
+
+
+
+ https://staging.giveth.io/project/Institute-of-HeartMath
+ Institute of HeartMath
+ To co-create a kinder, more compassionate world by conducting interconnectivity research and providing heart-based, science-proven tools for raising humanity’s baseline consciousness from separation and discord to compassionate care and cooperation.
+
+
+
+ https://staging.giveth.io/project/Project-HOPE
+ Project HOPE
+ Project HOPE places power in the hands of local health care workers to save lives around the world. We work on the front lines of the world’s health challenges, partnering hand-in-hand with communities, health care workers and public health systems to ensure sustainable change.<br><br>As the world’s population rises, a growing shortage of health care workers threatens to undermine incredible gains in global health. We’re building a different world: a strong and resilient global community of health care workers who practice innovative solutions in their communities — and then pass them on to others.
+
+
+
+ https://staging.giveth.io/project/Hope-for-Haiti-Inc
+ Hope for Haiti Inc
+ Hope for Haitis mission is to improve the quality of life for the Haitian people, particularly women and children.
+
+
+
+ https://staging.giveth.io/project/Mercy-Beyond-Borders
+ Mercy Beyond Borders
+ Forging ways for women and girls in extreme poverty to learn, connect and lead.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-Iowa
+ Food Bank of Iowa
+ Food Bank of Iowa is committed to creating a hunger-free Iowa. We provide food that helps Iowa children, families, seniors and veterans lead full and active lives, strengthening the communities where they live.
+
+
+
+ https://staging.giveth.io/project/Dream-Machine-Tour
+ Dream Machine Tour
+ Our mission is to make dreams come true for underprivileged people to enrich the human experience with hope, strength and inspiration through powerful storytelling and direct action.
+
+
+
+ https://staging.giveth.io/project/The-Stanley-M-Marks-Blood-Cancer-Research-Fund
+ The Stanley M Marks Blood Cancer Research Fund
+ The Stanley M. Marks, M.D. Endowed Research Fund supports the discovery of new and effective advances in cancer by investing in innovative and novel research at UPMC Hillman Cancer Center to improve the lives of cancer patients worldwide.
+
+
+
+ https://staging.giveth.io/project/Niagara-Falls-Education-Foundation-Inc
+ Niagara Falls Education Foundation Inc
+ The mission of the Niagara Falls Education Foundation is to provide resources to recognize the current accomplishments and promote the future success of the students in the Niagara Falls City school district.
+
+
+
+ https://staging.giveth.io/project/Clean-International-Inc
+ Clean International, Inc
+ By 2050 it is estimated that over half of the world’s population will live in a water-stressed region. At the same time, around the world, 1 in 9 people currently lack access to clean water and 1 in 3 do not have a toilet. Because of these numbers, over 2,000 people die every day due to sicknesses from unclean water and lack of sanitation. CLEAN International works to not only protect groundwater but to provide sustainable, convenient and affordable access to water, sanitation and hygiene.
+
+
+
+ https://staging.giveth.io/project/International-Rescue-Committee
+ International Rescue Committee
+ The International Rescue Committee (IRC) helps people affected by humanitarian crises—including the climate crisis—to survive, recover and rebuild their lives. Founded at the call of Albert Einstein in 1933, the IRC is now at work in over 40 crisis-affected countries as well as communities throughout Europe and the Americas. We deliver lasting impact by providing health care, helping children learn, and empowering individuals and communities to become self-reliant, always seeking to address the inequalities facing women and girls.
+
+
+
+ https://staging.giveth.io/project/Mountaineer-Food-Bank
+ Mountaineer Food Bank
+ Our mission is to feed West Virginias hungry through a network of member feeding programs and to engage our state in the fight to end hunger.
+
+
+
+ https://staging.giveth.io/project/Hoop-Bus-Inc
+ Hoop Bus Inc
+ TO FOSTER A NATIONAL AMATURE SPORTS COMPETITION AND PROVIDE FREE TRANSPORTATION
+
+
+
+ https://staging.giveth.io/project/Yale-University
+ Yale University
+ Today, Yale has matured into one of the worlds great universities. Its 11,000 students come from all fifty American states and from 108 countries. The 3,200-member faculty is a richly diverse group of men and women who are leaders in their respective fields.
+
+
+
+ https://staging.giveth.io/project/Grace-City-Inc
+ Grace City, Inc
+ Leading people into a relationship with Jesus so they can live life to the fullest.
+
+
+
+ https://staging.giveth.io/project/Association-For-Indias-Development-Inc
+ Association For Indias Development Inc
+ Association for Indias Development is a volunteer movement promoting sustainable, equitable and just development. AID supports grassroots organizations in India and initiates efforts in various interconnected spheres such as education, livelihoods, natural resources including land, water and energy, agriculture, health, womens empowerment and social justice.
+
+
+
+ https://staging.giveth.io/project/National-Alliance-for-Eating-Disorders
+ National Alliance for Eating Disorders
+ The National Alliance for Eating Disorders is the leading national nonprofit organization dedicated to the outreach, education, early intervention, support and advocacy for all eating disorders.
+
+
+
+ https://staging.giveth.io/project/Joshway
+ Joshway
+ Joshway is more than just a nonprofit; we’re a passionate group of professionals committed to nurturing creative talent and building a community of confident young artists. Recognizing the pivotal role of education, we partner with Lehigh Valley schools and community centers to inspire and empower young artists to thrive. We do this by equipping budding talent with crucial resources and support that pave the way for genuine growth. This includes access to a team of accomplished mentors who help students set goals, realize their full potential, and overcome challenges. At Joshway, we’re on a mission to help students turn their dreams into reality and to foster a generation of confident young artists.
+
+
+
+ https://staging.giveth.io/project/Africa-Code-Academy
+ Africa Code Academy
+ To create lasting development in Africa by building a network of scholarship-based Software Engineering apprenticeship programs across the continent.
+
+
+
+ https://staging.giveth.io/project/Red-Bucket-Equine-Rescue
+ Red Bucket Equine Rescue
+ Red Bucket Equine Rescue
+
+
+
+ https://staging.giveth.io/project/International-Justice-Mission
+ International Justice Mission
+ IJM’s mission is to protect people in poverty from violence by rescuing victims, bringing the criminals to justice, restoring survivors to safety and strength, and helping local law enforcement build a safe future that lasts. Our long-term vision is to rescue millions, protect half a billion and make justice for the poor unstoppable.
+
+
+
+ https://staging.giveth.io/project/Childrens-Cancer-Cause
+ Childrens Cancer Cause
+ A long, healthy life for every child with cancer.
+
+
+
+ https://staging.giveth.io/project/AR-Research-Alliance
+ AR Research Alliance
+ AugLabs.org is a non-profit organization that provides research and development services to the augmented reality and virtual reality industries. We use our expertise to make a positive impact on the world by developing innovative technologies that improve peoples lives, educating the public about the potential of AR and VR, and advocating for policies that support the responsible development and use of AR and VR. We believe that AR and VR have the potential to revolutionize the way we live, work, and learn. We are committed to using our expertise to make this vision a reality.
+
+
+
+ https://staging.giveth.io/project/Eckerd-College
+ Eckerd College
+ The mission of Eckerd College is to provide an undergraduate liberal arts education and lifelong learning programs of the highest quality in the unique environment of Florida, within the context of a strong relationship with the Presbyterian Church and in a spirit of innovation.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Acadia
+ Friends of Acadia
+ Friends of Acadia preserves, protects and promotes stewardship of the outstanding natural beauty, ecological vitality, and distinctive cultural resources of Acadia National Park and the surrounding communities for the inspiration and enjoyment of current and future generations.
+
+
+
+ https://staging.giveth.io/project/Independence-Historical-Trust
+ Independence Historical Trust
+ The purposes of the Corporation are to raise funds to fulfill the mission of Independence National Historical Park (“INHP”) and to promote its historical, scientific, educational and interpretive activities.
+
+
+
+ https://staging.giveth.io/project/Childrens-Hospital-Los-Angeles
+ Childrens Hospital Los Angeles
+ WE CREATE HOPE AND BULD HEALTHIER FUTURES.
+As a leader in pediatric academic medicine, we fulfill our mission by:
+* Caring for children, teens, young adults and families
+* Making discoveries and advances that enhance health and save lives
+* Training those who will be the future of child health
+* Supporting our communities, especially underserved populations
+
+
+
+ https://staging.giveth.io/project/Genii-DAO-Inc
+ Genii DAO Inc
+ <p>Geniī DAO INC is inventing the Possibility of children, teens, parents and Facilitators being AUTHENTIC & FREE by creating k12 schools as DAOs!</p>
+<br>
+<p>“Who do you never get to be in school?”<br>The #1 answer is, “I never get to be FREE to BE ME!”</p>
+<br>
+<p>We believe it’s time for transformation in education at scale!</p>
+<br>
+<p>By creating micro Self Directed Learning (SDL) Communities (private schools) as DAOs, Learners, Parents & Facilitators have FULL autonomy and control over learning.</p>
+<br>
+<p>We are raising $5M to fully fund enrollment in 7 micro SDL schools in select cities; San Francisco, Atlanta, MD/DC, 2 schools in Kampala, Uganda and 2 in the Metaverse!</p>
+<br>
+<p><a href="https://youtu.be/U12WLMb_-Hc?si=dowGRCzgMTcOEPXi" target="_blank">DeCentralize Schools! Join Geniī DAOs Funding Team! Raise $5M</a></p>
+<br>
+<p>Geniī DAO INC is also creating regenerative DeFi funding with $BeMeToken on our GENIE dApp. GENIE documents, translates and tokenizes SDL, creating transcripts for higher Ed.</p>
+<br>
+<p><a href="https://youtu.be/YxEUzGqQfQc?si=fkkLWXc0WRfXgcp_" target="_blank">$BeMe Token</a></p>
+<br>
+<p>Lets support Learners, Parents & Facilitators being AUTHENTIC & FREE in school!</p>
+
+
+
+ https://staging.giveth.io/project/Jail-Guitar-Doors
+ Jail Guitar Doors
+ Jail Guitar Doors USA works toward a more fair and just America. <br>We are a 501(c)3 non-profit organization providing musical instruments and mentorship to help rehabilitate incarcerated individuals through the transformative power of music. Using the medium of collaborative music and songwriting for everyone, we strive to achieve measurable rehabilitative outcomes. We seek to advance new solutions to diminish prison violence and recidivism. We support organizations that engage in policy reform efforts and partner with social service groups to help people in prison successfully rejoin the outside world; and we actively work to educate leaders and decision-makers on how to bring real reform to the criminal justice system.
+
+
+
+ https://staging.giveth.io/project/YouthCentric
+ YouthCentric
+ YouthCentric exists as “a compassionate community where young people experience balance and belonging” and aims to strengthen resilience, emotional stability, and life balance in high school students.<br><br>YouthCentric is a brick and mortar center for high school students developed in consultation with students to create programming that promotes good mental health. The center is composed of 5 pods that cohesively create opportunities for building life skills, developing a sense of belonging/community, and bringing more life balance.
+
+
+
+ https://staging.giveth.io/project/Razom
+ Razom
+ Razom, which means “together” in Ukrainian, is an organization with a simple mission: building a more prosperous Ukraine. Razom was born out of Ukraine’s Revolution of Dignity in 2014. Following the Russian military’s unprovoked, full-scale attack on Ukraine on February 24th, 2022, Razom quickly mobilized an Emergency Response Fund focused on saving lives.
+
+
+
+ https://staging.giveth.io/project/Celebrate-Outreach-Inc
+ Celebrate Outreach Inc
+ Celebrate Outreach! (CO!) is a partnership of St. Petersburg-area faith-based congregations and individuals which is dedicated to preventing and ending homelessness in our area through social justice, advocacy, community education and direct service.
+
+
+
+ https://staging.giveth.io/project/Conscious-Alliance
+ Conscious Alliance
+ Conscious Alliance is more than a nonprofit organization. We’re a network of creative people — artists, musicians, food makers and fans — using our time and talents to put food on the table for kids and their families across the U.S. From our first grassroots food drive to hitting our current milestone of 10 million meals, we’re about bringing people together to create a culture of giving back.<br><br>Hunger is a widespread problem, so we take a multifaceted approach to ending it. We host ‘Art That Feeds’ Food Drives at concerts and music festivals. We partner with healthy food makers to secure large-scale donations. We empower young people to get involved by dropping philanthropic opportunities smack in the middle of a good time. <br><br>We’re on a mission to make sure families get enough to eat.
+
+
+
+ https://staging.giveth.io/project/Institute-for-Study-of-Graphicalheritage
+ Institute for Study of Graphicalheritage
+ (a) to conduct archaeological field work in order to preserve information from threatened sites for the future of humanity;(b) to provide resources to the archaeological community, including: 3D models, epigraphic drawings, computer vision and visualization;(c) to author and present academic papers at conferences relating to archaeology, computer vision, and visualization;(d) to conduct public lectures and other special events related to archaeological discovery.
+
+
+
+ https://staging.giveth.io/project/APOPO-US
+ APOPO US
+ APOPO USs mission is to support the development of detection rats technology that solves global problems and inspires positive social change.
+
+
+
+ https://staging.giveth.io/project/Academy-of-Hope-Adult-Public-Charter-School
+ Academy of Hope Adult Public Charter School
+ Established in 1985, Academy of Hope’s mission is to provide high quality adult education and services in a manner that changes lives and improves our community.
+
+
+
+ https://staging.giveth.io/project/Zoe-Empowers
+ Zoe Empowers
+ We empower orphaned children and vulnerable youth to overcome life threatening poverty, move beyond charity and experience the fullness of life.
+
+
+
+ https://staging.giveth.io/project/Henzi-Foundation-Inc
+ Henzi Foundation Inc
+ To aid in providing financial relief to families or caregivers of children to assist with the final expenses due to an unexpected loss.
+
+We aim to provide this relief regardless of the child’s race, religion, gender, sexual orientation or cause of death. All funds paid out would be directly to those providing the service such as funeral homes, obituary and legacy services, etc.
+
+
+
+ https://staging.giveth.io/project/Pediatric-Cancer-Research-Foundation
+ Pediatric Cancer Research Foundation
+ Fund research to power cures that reduce the percentage of children who perish from cancer until that number reaches zero.
+
+
+
+ https://staging.giveth.io/project/Basic-Rights-Education-Fund
+ Basic Rights Education Fund
+ Basic Rights Oregon will ensure that all lesbian, gay, bisexual, transgender and queer Oregonians experience equality by building a broad and inclusive politically powerful movement, shifting public opinion, and achieving policy victories.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-Inc
+ Ronald McDonald House Charities, Inc
+ RMHC provides essential services that remove barriers, strengthen families and promote healing when children need healthcare.
+
+
+
+ https://staging.giveth.io/project/To-Every-Tribe
+ To Every Tribe
+ To Every Tribe exists to extend the worship of Christ among all peoples by mobilizing the church, training disciple-makers, and sending missionary teams to plant churches among the unreached.
+
+
+
+ https://staging.giveth.io/project/India-Home-Inc
+ India Home Inc
+ India Homes mission is to improve the quality of life of south asian seniors by providing culturally sensitive senior care services.India Home is a non-profit organization dedicated to addressing the needs of the Indian and larger South Asian senior immigrant community. Started in 2007 by a group of healthcare professionals, India Home provides social, psychological, recreational, and spiritual services in a culturally sensitive environment.
+
+
+
+ https://staging.giveth.io/project/Family-and-Childrens-Association
+ Family and Childrens Association
+ FCAs mission is to protect and strengthen Long Island’s most vulnerable children, families, seniors, and communities.
+
+
+
+ https://staging.giveth.io/project/Project-4R-Inc
+ Project 4R Inc
+ The mission of API RISE is to build an engaged and involved API community comprised of API inmates, formerly incarcerated individuals, at-risk youth, families, allies, and supporters to educate the broader community regarding issues related to the impact of criminal legal and prison system on Asian Pacific Islanders and to organize around the needs of currently and formerly incarcerated community members.
+
+
+
+ https://staging.giveth.io/project/Tourette-Association-of-America
+ Tourette Association of America
+ The Tourette Association is dedicated to making life better for all people affected by Tourette and Tic Disorders.
+
+• Raising public awareness and fostering social acceptance.
+• Working to advance scientific understanding, treatment options and care.
+• Educating professionals to better serve the needs of children, adults and families challenged by Tourette and Tic Disorders.
+• Advocating for public policies and services that promote positive school,work and social environments.
+• Providing help, hope and a supportive community across the nation.
+• Empowering our community to deal with the complexities of this spectrum of disorders.
+
+
+
+ https://staging.giveth.io/project/The-Young-Center-For-Immigrant-Childrens-Rights
+ The Young Center For Immigrant Childrens Rights
+ The mission of the Young Center for Immigrant Childrens Rights is to promote the best interests of unaccompanied immigrant children with due regard to the childs expressed wishes, according to the Convention on the Rights of the Child and state and federal law.br><br>The Young Center is a champion for the best interests of children who arrive in the United States on their own, from all corners of the world. We serve as trusted allies for these children by accompanying them through court proceedings, advocating for their best interests, and standing for the creation of a dedicated juvenile immigrant justice system that ensures the safety and well-being of every child.
+
+
+
+ https://staging.giveth.io/project/BISSELL-Pet-Foundation
+ BISSELL Pet Foundation
+ BISSELL Pet Foundation exists to assist animal welfare organizations and provide resources to underserved communities. This includes helping to reduce the number of animals in shelters and rescues through pet adoption, spay/neuter programs, vaccinations, microchipping, and emergency support.
+
+
+
+ https://staging.giveth.io/project/Hawaii-Alliance-for-Progressive-Action
+ Hawaii Alliance for Progressive Action
+ To catalyze community empowerment and systemic change towards valuing Aina (Environment) and people ahead of corporate profit.
+
+
+
+ https://staging.giveth.io/project/Wildlife-Conservation-Society
+ Wildlife Conservation Society
+ For 125 years, WCS has been dedicated to saving wildlife and wild places, powered by the expertise and science in our zoos, aquarium, and global conservation program. WCS saves wildlife and wild places worldwide through science, conservation action, education, and inspiring people to value nature. WCS envisions a world where wildlife thrives in healthy lands and seas, valued by societies that embrace and benefit from the diversity and integrity of life on earth.
+
+
+
+ https://staging.giveth.io/project/Big-Green
+ Big Green
+ We believe growing food changes lives. Growing food improves nutrition security and mental health, increases time spent outdoors, and cultivates a deeper appreciation for our collective impact on the climate.<br><br>Big Green was founded in 2011 by Kimbal Musk and Hugo Matheson with a mission to teach kids about real food. Big Green now supports schools, families, and communities across the country to grow their own food through training, grants, garden bed donations, and by providing garden materials directly to the people on the frontlines of growing food: teachers, parents, non-profit leaders, and local advocates leading food movements in their communities.
+
+
+
+ https://staging.giveth.io/project/Count-Basie-Center-for-the-Arts
+ Count Basie Center for the Arts
+ The Count Basie Center for the Arts is New Jersey’s premier center for the cultural arts, dedicated to fostering powerful, inclusive artistic experiences and creative exchange of ideas.<br><br>The Basie mission is to inspire, educate and entertain through its distinct and engaging cultural and artistic offerings that reflect the diversity of the region. As a nonprofit organization, the Basie is committed to enriching the community’s quality of life by generating opportunities for participation in the arts, partnering with schools, collaborating with other mission-based organizations and driving regional economic prosperity.
+
+
+
+ https://staging.giveth.io/project/RIP-Medical-Debt
+ RIP Medical Debt
+ RIPs mission is to end medical debt and be: a source of justice in an unjust healthcare finance system; a unique solution for patient-centered healthcare providers; and a moral force for systemic change.
+
+
+
+ https://staging.giveth.io/project/EarthShare
+ EarthShare
+ We envision a world in which everyone takes action for our planet. Whether the action is big or small, it is about growing awareness and inspiring change. To achieve this, we provide individuals, businesses, and nonprofits with the tools to work together for a more just and sustainable world.
+
+
+
+ https://staging.giveth.io/project/Roots-Wings
+ Roots Wings
+ Provide childcare and educational support for children and families in an impoverished landfill community in Mazatlan, Mexico. Reduce child abandonment by providing a safe place for children while parents work to provide for their household. Break the cycle of poverty through educational, emotional and spiritual support.
+
+
+
+ https://staging.giveth.io/project/Divine-Light-World
+ Divine Light World
+ The youth of today are the leaders of tomorrow. It is necessary to equip them with the proper tools to help them confidently take on this important responsibility. With so many distractions in today’s society, this can be challenging. Helping our youth to be emotionally, mentally, physically, morally, and socially competent is an integral part of our Youth Empowerment initiatives.<br><br>Through Yoga, Meditation, Music, and Dance we empower youth to develop their body, mind, and spirit. We provide regular ongoing programs and support to provide stable backdrop to the tumultuous lives of youth.
+
+
+
+ https://staging.giveth.io/project/Caring-House-Incorporated
+ Caring House, Incorporated
+ Everyone deserves to experience peace at the end of life. Caring House was established to ease the burden associated with caring for a loved one at the end of life and/or spending it in a facility. As the first and only non-profit, home-based setting in LA County completely focused on helping residents and families through the end-of-life journey, we have transformed that often stressful and traumatic experience into a peaceful and dignified one.
+
+Now, instead of worrying about their loved one’s day-to-day needs, residents, family and friends spend their time connecting with each other in a calm, tranquil home-based setting. This allows everyone to focus on what’s important, which has a profoundly positive effect on their mental wellness from that point forward.
+
+
+
+ https://staging.giveth.io/project/California-Rangeland-Trust
+ California Rangeland Trust
+ California Rangeland Trust serves the land, people, and wildlife by conserving Californias working landscapes.
+
+
+
+ https://staging.giveth.io/project/Springcreek-Church
+ Springcreek Church
+ Looking for a church online from anywhere or in the Garland, TX area or neighboring cities in the Dallas/Ft. Worth metroplex like Richardson, Sachse, Wylie, Rowlett, or Mesquite, but not sure where to turn? We want to help you find a home. Springcreek Church is dedicated to helping everyday imperfect people grow in Christ. Click below to plan an experience and learn more.
+
+
+
+ https://staging.giveth.io/project/The-Well-A-Vineyard-Church
+ The Well A Vineyard Church
+ At The Well, our mission is “to know Jesus and to make Him known.”
+
+
+
+ https://staging.giveth.io/project/West-Side-Food-Bank
+ West Side Food Bank
+ Westside Food Banks mission is to end hunger in our communities by providing access to free nutritious food through food acquisition and distribution, and by engaging the community and advocating for a strong food assistance network.
+
+
+
+ https://staging.giveth.io/project/SENS-FOUNDATION-INC
+ SENS FOUNDATION INC
+ SENS Research Foundation works to develop, promote, and ensure widespread access to therapies that cure and prevent the diseases and disabilities of aging by comprehensively repairing the damage that builds up in our bodies over time. We are redefining the way the world researches and treats age-related ill health, while inspiring the next generation of biomedical scientists.
+
+
+
+ https://staging.giveth.io/project/The-American-Society-for-the-Prevention-of-Cruelty-to-Animals-(ASPCA)
+ The American Society for the Prevention of Cruelty to Animals (ASPCA)
+ The ASPCA’s mission is to provide effective means for the prevention of cruelty to animals throughout the United States.
+
+
+
+ https://staging.giveth.io/project/Chef-Ann-Foundation
+ Chef Ann Foundation
+ The Chef Ann Foundation works to ensure that school food professionals have the resources, funding and support they need to provide fresh, healthy, delicious, cook from scratch meals that support the health of children and our planet. Our vision is to foster an environment where all children have equal access to fresh, healthy, delicious food providing them the foundation to thrive and meet their true potential.
+
+
+
+ https://staging.giveth.io/project/New-York-Cares-Inc
+ New York Cares, Inc
+ New York Cares mission is to meet pressing community needs by mobilizing caring New Yorkers in volunteer service.
+
+
+
+ https://staging.giveth.io/project/STOMP-Out-Bullying
+ STOMP Out Bullying
+ STOMP Out Bullying™ is the leading national nonprofit dedicated to changing the culture for all students. It works to reduce and prevent bullying, cyberbullying and other digital abuse, educates against homophobia, LGBTQ+ discrimination, racism and hatred, and deters violence in schools, online and in communities across the country. STOMP Out Bullying promotes civility, diversity, inclusion, equity and equality. It teaches effective solutions on how to respond to all forms of bullying, as well as educating kids and teens in school and online. It provides help for those in need and at risk of suicide, and raises awareness through peer mentoring programs in schools, public service announcements by noted celebrities, and social media campaigns. A pioneer on the issue, STOMP Out Bullying™ is recognized as the most influential anti-bullying and cyberbullying organization in America and beyond.
+
+
+
+ https://staging.giveth.io/project/Neighborhood-Cats
+ Neighborhood Cats
+ To improve the lives of the millions of cats living on our streets and support the compassionate people caring for them.
+
+
+
+ https://staging.giveth.io/project/Armenia-Artsakh-Fund-Inc
+ Armenia Artsakh Fund Inc
+ To provide millions of dollars worth of free medicines to the people of Armenia.
+
+
+
+ https://staging.giveth.io/project/Camphill-Village-Copake
+ Camphill Village Copake
+ Camphill Village is an integrated community where people with developmental differences are living a life of dignity, equality, and purpose.
+
+
+
+ https://staging.giveth.io/project/Servicios-Creativos-Inc
+ Servicios Creativos Inc
+ The purpose for which the corporation is organized is to facilitate technical and logistical support for charitable, social, cultural, educational, and scientific purposes, within the meaning of Section 501(c)(3) of the Internal Revenue Code, or the corresponding section of any future federal tax code. In furtherance of its corporate purposes, the Corporation shall have all the general and specific powers and rights granted to and conferred to a Not for Profit Corporation by Chapter 617, Florida Statutes. This corporation is not organized for the private gain of any person.
+
+
+
+ https://staging.giveth.io/project/Lutheran-Immigration-and-Refugee-Service-II-Inc
+ Lutheran Immigration and Refugee Service II, Inc
+ As a witness to God’s love for all people, we stand with and advocate for migrants and refugees, transforming communities through ministries of service and justice.
+
+
+
+ https://staging.giveth.io/project/Peaceplayers-International
+ Peaceplayers International
+ To unite divided communities through sport by forging individual and communal connections to create a more peaceful and equitable world.
+
+
+
+ https://staging.giveth.io/project/The-Community-Foundation-of-Frederick-County-Maryland
+ The Community Foundation of Frederick County Maryland
+ The Community Foundation is dedicated to connecting people who care with causes that matter to enrich the quality of life in Frederick County now and for future generations.
+
+
+
+ https://staging.giveth.io/project/Easter-Seals-Southwest-Florida-Inc
+ Easter Seals Southwest Florida, Inc
+ Through partnerships we provide exceptional services to persons with disabilities and their families across a lifetime by empowering them to live their lives to the fullest.
+
+
+
+ https://staging.giveth.io/project/Accelerate-Art-Inc
+ Accelerate Art Inc
+ We aim to enable emerging artists to overcome the challenges they face by expanding access to opportunities, navigating the complexities of new technologies, and amplifying underrepresented voices in the art world and Web3.
+
+
+
+ https://staging.giveth.io/project/Hay-Center-Foundation
+ Hay Center Foundation
+ Empower current and former foster youth to be successful, productive adults through training, employment, and personal achievement.
+
+
+
+ https://staging.giveth.io/project/Friends-Of-The-Boundary-Waters-Wilderness
+ Friends Of The Boundary Waters Wilderness
+ Through advocacy and education, the Friends of the Boundary Waters Wilderness works to protect, preserve, and restore the wilderness character of the Boundary Waters Canoe Area Wilderness and Quetico-Superior ecosystem.
+
+
+
+ https://staging.giveth.io/project/Children-of-Promise-NYC
+ Children of Promise, NYC
+ Children of Promise, NYC’s (CPNYC) reimagines a just society that values the purpose of every child impacted by mass incarceration and removes barriers to create opportunities for children to thrive and achieve their full potential. CPNYC’s mission is to support and advocate for the children of incarcerated parents while speaking out against root causes that affect the communities we serve, including systemic racism, poverty and bias in our nation’s criminal justice system.
+
+
+
+ https://staging.giveth.io/project/Ukraine-Childrens-Aid-Fund-Inc
+ Ukraine Childrens Aid Fund Inc
+ The Ukraine Childrens Aid Fund (UCAF) is registered in the USA as a 501(c)3 non-profit humanitarian organization of compassionate people who invest their time, talents, and treasures to ensure that suffering children in Ukraine experience life transformation as a result of channeling help, offering hope, and bringing healing to children who live there. We accomplish this by securely channeling financial aid from faithful donors through trustworthy Ukrainian partners to children in need of so much.
+
+
+
+ https://staging.giveth.io/project/Pact-Donation-Collective-Inc
+ Pact Donation Collective Inc
+ Pact Donation Collective, or PactDAO, is a NYC-based 501c3 working to build local, people-led institutions through mutual aid, education, and the use of decentralized tools to organize better together.
+
+
+
+ https://staging.giveth.io/project/Zaytuna-College
+ Zaytuna College
+ Zaytuna College aims to educate and prepare morally committed professional, intellectual, and spiritual leaders who are grounded in the Islamic scholarly tradition and conversant with the cultural currents and critical ideas shaping modern society.
+
+
+
+ https://staging.giveth.io/project/Feed-America
+ Feed America
+ Fueling Futures, One Meal at a Time. At Feed America, we envision a nation where every childs plate is as full as their potential. While we work towards that dream, our heart beats to educate and inspire communities about the profound impact of nutrition. Join us, and be the change that feeds tomorrow.
+
+
+
+ https://staging.giveth.io/project/Girls-Incorporated
+ Girls Incorporated
+ Girls Inc. inspires all girls to be strong, smart, and bold, providing more than 130,000 girls across the U.S. and Canada with life-changing experiences and solutions to the unique challenges girls face.
+
+The Girls Inc. Experience consists of people, an environment, and programming that, together, empower girls to succeed. Trained staff and volunteers build mentoring relationships in girls-only spaces where girls find a sisterhood of support with mutual respect, and high expectations. Research-based programs provide girls with the skills and knowledge to overcome obstacles, and improve academic performance. We also advocate with and for girls, on a local and national scale, for policies that advance their rights and opportunities and promote equity for all.
+
+
+
+ https://staging.giveth.io/project/Impact-Justice
+ Impact Justice
+ Impact Justice is committed to fostering a more humane, responsive, and restorative system of justice in our nation. As an innovation and research nonprofit, our mission is to prevent criminal legal system involvement and end unnecessary contact with the justice system, improve conditions and opportunities for those who are incarcerated, and support successful reentry for people returning home after incarceration.
+
+
+
+ https://staging.giveth.io/project/HIGHER-GROUND-A-RESOURCE-CENTER
+ HIGHER GROUND A RESOURCE CENTER
+ Our mission is to empower one life at a time to REACH, TRANSFORM and ELEVATE their community through love and building character.
+
+
+
+ https://staging.giveth.io/project/Sigma-Xi-The-Scientific-Research-Honor-Society-Incorporated
+ Sigma Xi, The Scientific Research Honor Society, Incorporated
+ Sigma Xi, The Scientific Research Honor Society recognizes scientific achievement of scientists and engineers.<br><br>Culture: The Society is a diverse organization of members and chapters dedicated to companionship in science and engineering and to the advancement of knowledge through research, service, and teaching.<br><br>Mission: To enhance the health of the research enterprise, foster integrity in science and engineering, and promote the publics understanding of science for the purpose of improving the human condition.<br><br>Vision: Sigma Xi will be recognized as the global interdisciplinary society that promotes ethics and excellence in scientific and engineering research..
+
+
+
+ https://staging.giveth.io/project/We-Ride-Together-Inc
+ We Ride Together, Inc
+ We Ride Together, Inc. (#WeRideTogether) is a nonprofit organization created to shine a light on the endemic issue of sexual abuse in youth and amateur sports. Our mission is to make the youth and amateur sport environment safer for all athletes. We believe sport should be the safest and healthiest place for children and young adults to grow and flourish, and that every individual has the right to learn, play, and compete without fear of sexual abuse. We are committed to creating the radical change needed to fulfill that vision by addressing education and awareness, creating a safe place for survivors to find resources and share their voices, and eliminating the stigma around these necessary conversations.
+
+
+
+ https://staging.giveth.io/project/Denver-Film-Society
+ Denver Film Society
+ The mission of Denver Film is to develop opportunities for diverse audiences to discover film through creative, thought-provoking experiences We strive to cultivate and celebrate film as an art form, to enrich and expand the film- going experience for regional audiences, to provide a showcase for international cinema that would not otherwise be seen in Denver, to provide a platform for Colorado and U S independent filmmakers, to promote dialogue about film artists and the public. Denver Films year-round programs include the Denver Film Festival, Film on the Rocks, Summer Scream, spotlight programs including Women+Film and CinemaQ, and theatrical and curated film series at our Sie FilmCenter.
+
+
+
+ https://staging.giveth.io/project/Bethlehem-Lutheran-Church-Twin-Cities
+ Bethlehem Lutheran Church Twin Cities
+ Bethlehem is a large congregation with two campus locations in Minneapolis and Minnetonka and also supports the ministry of Spirit Garage. Much of our life together is hybrid since 2020 and we continue to have a strong digital attendance in worship.<br><br>In these uncertain times, it’s tempting to double down on what we already know how to do and think to be certain. But at Bethlehem, we are clear about a few things and curious about the rest. Being in multiple locations reminds us that the Body of Christ transcends time and space. We belong to one another and God’s vision for a healed world, a partnership and process that is always being made new.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Notre-Dame-De-Paris
+ Friends of Notre-Dame De Paris
+ Notre-Dame de Paris is an iconic Gothic cathedral dating back to the 12th century. Designated a UNESCO World Heritage site with Paris Banks of the Seine, it is one of the most beloved monuments in the world, visited by more than 12 million people every year before the fire.<br><br>Friends of Notre-Dame de Paris is a 501(c)(3) nonprofit organization established in 2017. Our original mandate was to support the restoration and preservation of Notre-Dame Cathedral, which had not had major repairs since the mid-1800s.<br><br>Challenges like pollution, rain, and the inferior quality of the stone used during the 19th century restoration weakened the basic infrastructure of the cathedral and became increasingly critical to address. To halt the decay, in 2017 Friends of Notre-Dame de Paris launched an international fundraising campaign to raise the $135 million needed for the renovation, on top of the $45 million budget committed by the French Government.<br><br>In the aftermath of the devastating fire on April 15, 2019, our mission changed to rebuild, restore and preserve Notre-Dame Cathedral.<br><br>Friends of Notre-Dame de Paris is the official public charity leading the international fundraising efforts to rebuild and restore Notre-Dame Cathedral.
+
+
+
+ https://staging.giveth.io/project/Endaoment
+ Endaoment
+ Endaoment is a public Community Foundation that offers Donor-Advised Funds (DAFs) built atop the Ethereum blockchain, enabling grantmaking to almost any U.S. nonprofit organization.
+
+Our mission is to encourage and manage the charitable giving of cryptocurrency.
+
+Were a California Nonprofit Public Benefit Corporation headquartered in San Francisco, federally tax-exempt under IRS revenue code section 501(c)(3).
+
+
+
+ https://staging.giveth.io/project/Cure-JM-Foundation
+ Cure JM Foundation
+ Cure JM Foundation’s mission is to find a cure and better treatments for Juvenile Myositis (JM) and to improve the lives of families affected by JM. Juvenile Myosits is a life-threatening disease that causes a child’s body to attack itself, including the heart, lungs, muscles, skin, and joints.<br><br>Cure JM Foundation is the only organization solely dedicated to funding research and helping families affected by JM.
+
+
+
+ https://staging.giveth.io/project/Heifer-Project-International-Inc
+ Heifer Project International, Inc
+ We work to end hunger and poverty in partnership with local communities. Our programs support entrepreneurs around the world, creating lasting change from the ground up.
+
+It begins with a seed investment of livestock or agriculture, followed by mentorship to help project participants build a business, and ultimately to gain access to supply chains and markets.
+
+These families are able to earn a living income and continuously lift up their communities as they train the next generation of leaders.
+
+By supporting and training the worlds farmers, ranchers, and female business owners, were investing in a new breed of success.
+
+
+
+ https://staging.giveth.io/project/Stryve-Inc
+ Stryve Inc
+ The mission of Stryve is to provide modern vocational training for people with disabilities to achieve meaningful employment.
+
+
+
+ https://staging.giveth.io/project/Motivating-Our-Students-Through-Experience
+ Motivating Our Students Through Experience
+ MOSTe mentors and empowers girls from underserved areas of Los Angeles County to become the next generation of college-educated women. Our vision is to develop women who are confident, career-focused agents of social change.
+
+
+
+ https://staging.giveth.io/project/Ugandan-Water-Project-Inc
+ Ugandan Water Project Inc
+ The Ugandan Water Project implements and advocates for safe and sustainably managed water, sanitation, and hygiene resources across Uganda, deploying the best available version of each resource and working collaboratively with local stakeholders to ensure they last.
+
+
+
+ https://staging.giveth.io/project/Helen-Keller-International
+ Helen Keller International
+ Helen Keller overcame tremendous obstacles to her health and wellbeing – and helped millions of others to do the same. Guided by her remarkable legacy, Helen Keller Intl partners with communities that are striving to overcome longstanding cycles of poverty. By delivering the essential building blocks of good health, sound nutrition and clear vision, we help millions of people create lasting change in their own lives. Together with a global community of supporters, we are ensuring that every person has the opportunity – as Helen did – to reach their true potential.
+
+
+
+ https://staging.giveth.io/project/Twenty-First-Century-African-Youth-Movement-Inc
+ Twenty-First Century African Youth Movement, Inc
+ The mission of AYM is to educate and employ youth in agribusiness, ecotourism, technology, and the creative arts.
+
+Sixty (60) percent of young women and men within the ages of 14 to 35 are unemployed, which is among the highest in West Africa. Sierra Leone’s youth are living on less than US $2 per day.
+
+Educating, mobilizing and providing employment for Africa’s unemployed and underemployed youth is the key to the continent’s economic growth and stability.
+
+
+
+ https://staging.giveth.io/project/Fredericksburg-Regional-Food-Bank
+ Fredericksburg Regional Food Bank
+ Uniting the Central Rappahannock River Region in our commitment to fight hunger.
+
+
+
+ https://staging.giveth.io/project/Black-Dagger-Military-Hunt-Club-Inc
+ Black Dagger Military Hunt Club Inc
+ BDMHC is a all-volunteer nonprofit organization that provides shooting, hunting, fishing, and other outdoor activities for US military veterans. We serve veterans recovering from and learning to adjust to life with spinal cord injuries (SCI), traumatic brain injuries (TBI), and post-traumatic stress (PTS). Helping our honored veterans find their "new normal". We are a Community Partner with the James A. Haley VA Hospitals Adaptive Sports Program. We also work with the United States Special Operations Care Coalition. Along with these two groups, we work with several other veteran-support agencies to bring in veterans that they support in their programs.
+
+
+
+ https://staging.giveth.io/project/Michigan-Donor-Family-Council
+ Michigan Donor Family Council
+ Saving Lives By Promoting Donation
+
+
+
+ https://staging.giveth.io/project/Center-for-Disaster-Philanthropy
+ Center for Disaster Philanthropy
+ Mobilize philanthropy to strengthen the ability of communities to withstand disasters and recover equitably when they occur.
+
+
+
+ https://staging.giveth.io/project/The-REAL-Bark
+ The REAL Bark
+ The REAL Bark is proudly known as a Non-Profit Rescue that takes on the most difficult of cases. The Paralyzed, and Traumatized have a safe spot with us as we do lengthy rehabilitation with a regular rotating number of special Project Pups.<br><br>From the streets and shelters of Los Angeles, to International dogs in dire need, we humbly - and for years - have been taking discarded, abused, and forgotten lives into our own – healing them – and gently placing them back on a path toward a NEW Protected + Celebrated Life.<br><br>The "REAL" in our Team name stands for:<br>RESPONSIBLE - ETHICAL - ANIMAL - LEAGUE.
+
+
+
+ https://staging.giveth.io/project/Shatterproof-a-Nonprofit-Corporation
+ Shatterproof, a Nonprofit Corporation
+ Shatterproof is a national nonprofit organization dedicated to reversing the addiction crisis in the United States.
+
+
+
+ https://staging.giveth.io/project/Union-for-Reform-Judaism
+ Union for Reform Judaism
+ The Union for Reform Judaism provides vision and voice to build strong communities that, together, transform the way people connect to Judaism and change the world. Our legacy, reach, leadership, and vision ensure we can unite thousands of years of tradition with modern experience to strengthen Judaism today and for generations to come.
+
+
+
+ https://staging.giveth.io/project/Philanthropic-Ventures-Foundation
+ Philanthropic Ventures Foundation
+ PVF is a public charity based in the Bay Area that was founded in 1991 to test new approaches to creative grantmaking. We work with donors to create customized giving plans to maximize the impact of the philanthropic dollar.
+
+
+
+ https://staging.giveth.io/project/Thirdpath-Institute
+ Thirdpath Institute
+ Assist individuals, families and organizations in finding new ways to redesign work to create time for family, community and other life priorities. Develop a growing community of individuals, leaders and organizations to influence wider change - both within organizations and at the public policy level. Support a new mind-set where everyone can follow a "third path" - an integrated approach to work and life.
+
+
+
+ https://staging.giveth.io/project/Georgia-Alabama-Land-Trust-Inc
+ Georgia-Alabama Land Trust, Inc
+ The Georgia-Alabama Land Trust protects land for present and future generation, shaping the future through conservation. Acre by acre, landowner by landowner, community by community. We are the largest land trust in the Southeast, protecting and stewarding nearly 1,100 properties totaling over 400,000 acres —and we are currently working to preserve additional critical wildlife habitat, prime soils, and other important lands which make the Southeast a special place. We steward greenspace and create nature preserves, providing the public with areas to hike, bike, recreate, and otherwise experience nature. We see a future where the wild and working forests, the rivers and coastline – the globally unique habitats and the rich farming culture that define the extraordinary landscape of the Southeast—are preserved forever cared for, cherished, and sustainably managed by generations to come.
+
+
+
+ https://staging.giveth.io/project/Tides-Center
+ Tides Center
+ We believe that a just and equitable future can exist only when communities who have been historically denied power, have the social, political, and economic power they need to create it. To make that a reality, we work in deep partnership with doers and donors to center the leadership of changemakers from these communities, connecting them to services, capacity building, and resources to amplify their impact.
+
+
+
+ https://staging.giveth.io/project/Menil-Foundation-Inc
+ Menil Foundation Inc
+ The Menil Collection is an art museum located in Houston, Texas, USA, in a 30-acre neighborhood of art. The Menil presents regular rotations of artworks from the growing permanent collection, organizes special exhibitions and programs, publishes scholarly books, and conducts research into the conservation of modern and contemporary art. With a growing collection of over 17,000 objects, the Menil embodies the ideals and values of its founders John and Dominique de Menil, in particular, that art is vital to human life and should be readily accessible to all persons.
+
+
+
+ https://staging.giveth.io/project/Anchor-Point-Church
+ Anchor Point Church
+ The Anchor Point Church is a ministry of the Florida Church of Christ. We are a diverse community that genuinely cares about the needs of all people from all generations and from all walks of life. We are a community of people that love Jesus. We are a church that lives our lives for Jesus. We believe that his sacrifice and love for us is the best motivation that we have. In return, we are compelled to live this life for Him and for others in the hope that many will have the chance to respond to His love too.
+
+
+
+ https://staging.giveth.io/project/Tonys-Place
+ Tonys Place
+ *Mission: Support and empower LGBTQ+ youth.
+*Vision: We see a society in which all LGBTQ+ youth are universally welcomed, safe, and thriving.
+
+Tonys Place provides a diverse set of services to meet the needs of LGBTQ+ youth age 14 to 25, including Basic Needs Services, Case Management, Support Services, Community Engagement and Advocacy.
+
+You can read more about our work here: https://tonysplace.org/history
+
+
+
+ https://staging.giveth.io/project/Kodi-Foundation
+ Kodi Foundation
+ To aggregate and manage the licensing of IP related to the Kodi Media Center, educate the public about Kodi Media Center, offer Kodi Media Center to the public through open source licensing, encourage the community to participate in the further development of Kodi Media Center, develop Kodi Media Center more extensively through scientific research and development carried on or sponsored by the Foundation, and advocate for the use of open source software generally.
+
+
+
+ https://staging.giveth.io/project/Partners-In-Health-a-Nonprofit-Corporation
+ Partners In Health a Nonprofit Corporation
+ PIHs mission is to provide a preferential option for the poor in health care. By establishing long-term relationships with sister organizations based in settings of poverty, Partners In Health strives to achieve two overarching goals: to bring benefits of modern medical science to those most in need of them and to serve as an antidote to despair.
+
+
+
+ https://staging.giveth.io/project/Serving-the-People
+ Serving the People
+ Serving the People is a 501(c)(3) non-profit organization that assists artists and creators in making meaningful connections both online and in person. Established in 2017, STP has launched a number of initiatives and developed a platform for connecting creators with audiences, as well as finding opportunities for collaboration and support.
+
+
+
+ https://staging.giveth.io/project/Girl-Scouts-of-Connecticut
+ Girl Scouts of Connecticut
+ Girl Scouts of Connecticut builds girls of courage, confidence, and character who make the world a better place.
+
+
+
+ https://staging.giveth.io/project/Northwest-Film-Forum
+ Northwest Film Forum
+ Northwest Film Forum incites public dialogue and creative action through collective cinematic experiences.
+
+
+
+ https://staging.giveth.io/project/Cure-Rare-Disease
+ Cure Rare Disease
+ Cure Rare Disease™ is developing custom therapeutics that are as unique to the individuals they are meant to treat. Our mission is to offer effective, life-saving treatments developed through collaborations with world-renowned researchers and clinicians, and in partnership with our generous donors. Our customized therapeutics are designed specifically for the men and women who continue to fight for their right to live long, full, healthy lives despite having been diagnosed with a rare genetic disorder for which they’ve been told there is no treatment or cure.
+
+
+
+ https://staging.giveth.io/project/See-Turtles
+ See Turtles
+ SEE Turtles connects people with sea turtles in meaningful, personal and, memorable ways. We help the sea turtle community connect, grow, and thrive by supporting community-based conservation efforts. We focus on supporting turtle nesting beaches, reducing plastic in turtle habitats, addressing the illegal tortoiseshell trade, promoting conservation travel, and increasing equity in the sea turtle community.
+
+
+
+ https://staging.giveth.io/project/Teen-Challenge-of-Arizona
+ Teen Challenge of Arizona
+ Teen Challenge of Arizonas Mission is to provide youth, adults and families with an effective and comprehensive Christian Faith-based solution to life-controlling problems in order to become productive members of society. Teen Challenge of Arizona endeavors to help people become mentally sound, emotionally balanced, socially adjusted, physically well and spiritually alive.
+
+
+
+ https://staging.giveth.io/project/Beverly-Vermont-Community-Land-Trust
+ Beverly-Vermont Community Land Trust
+ BEVERLY VERMONT COMMUNITY LAND TRUST IS A COMMUNITY-BASED ORGANIZATION DEDICATED TO PROVIDING OPPORTUNITIES FOR LOW-TO-MODERATE INCOME RESIDENTS TO SECURE HOUSING THAT IS DECENT, AFFORDABLE AND CONTROLLED BY THE RESIDENTS ON A LONG-TERM BASIS. IT IS EQUALLY DEDICATED TO USING LAND AND NATURAL RESOURCES TO PROMOTE THE LONG-TERM WELL-BEING OF THE COMMUNITY AND THE ENVIRONMENT. OUR LONG-TERM GOAL IS TO ENSURE CONTINUED AND EXPANDED LONG-TERM AFFORDABLE RESIDENT-CONTROLLED HOUSING OPPORTUNITIES FOR LOW TO MODERATE INCOME RESIDENTS, ENVIRONMENTAL RESTORATION, PEDESTRIA-ORIENTED TRANSPORTATION, RECREATIONAL GREEN SPACE AND SUSTAINABLE SMALL BUSINESS.
+
+
+
+ https://staging.giveth.io/project/Diabetes-Research-Institute-Foundation
+ Diabetes Research Institute Foundation
+ The Diabetes Research Institute (DRI) and Foundation were created for one reason – to cure diabetes – which is and will continue to be the singular focus until that goal is reached. Funding provided by the Foundation is the driving force that allows DRI scientists to pursue new and innovative ideas, and to speed these discoveries to patients. The Diabetes Research Institute Foundation is the organization of choice for those who want to Be Part of the Cure. For more information, please visit DiabetesResearch.org or call 800-321-3437.
+
+
+
+ https://staging.giveth.io/project/Animal-Ethics
+ Animal Ethics
+ We spread respect for nonhuman animals through outreach and educational materials. We support and research interventions to improve the lives of animals living in the wild, such as vaccinations and helping animals in natural disasters. We explore how future technologies will enable us to help wild animals on a large scale.
+
+
+
+ https://staging.giveth.io/project/Wildlife-SOS
+ Wildlife SOS
+ Wildlife SOS, protecting India’s wildlife from habitat loss and human
+exploitation.
+
+
+
+ https://staging.giveth.io/project/American-Ancestors-New-England-Historic-Genealogical-Society
+ American Ancestors - New England Historic Genealogical Society
+ To advance the study of family history in America and beyond, we educate, inspire, and connect people through our scholarship, collections, and expertise.. American Ancestors, also known as New England Historic Genealogical Society (NEHGS), is a national center for family history, heritage, and culture and the oldest and largest genealogical society in America, founded in 1845. It serves 400,000+ members and subscribers, and reaches millions more through its award-winning website AmericanAncestors.org, which features 1.5+ billion searchable family names. Located in Boston’s Back Bay.<br>NEHGS is home to a world-class research library and archive, an expert staff, a publishing division, and the Wyner Family Jewish Heritage Center.
+
+
+
+ https://staging.giveth.io/project/Teachrockorg-Rock-and-Soul-Forever-Foundation
+ Teachrockorg Rock and Soul Forever Foundation
+ TeachRock empowers teachers and engages students by using popular music to create interdisciplinary, culturally responsive education materials for all 21st century classrooms.
+
+Launched by Stevie Van Zandt and the Founders Board of Bono, Jackson Browne, Martin Scorsese, and Bruce Springsteen, TeachRock.org provides free, standards-aligned resources that use music to help K-12 students succeed in disciplines like science, math, social studies, language arts, and more.
+
+
+
+ https://staging.giveth.io/project/Fairleigh-Dickinson-University
+ Fairleigh Dickinson University
+ Fairleigh Dickinson University is a center of academic excellence dedicated to the preparation of world citizens through global education The University strives to provide students with the multi-disciplinary, intercultural, and ethical understandings necessary to participate, lead, and prosper in the global marketplace of ideas, commerce and culture.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-of-Southern-New-Jersey-Inc
+ Ronald McDonald House of Southern New Jersey Inc
+ To provide home-like, temporary lodging to families of critically ill or injured children while they are receiving in or out-patient treatment at area hospitals.
+
+
+
+ https://staging.giveth.io/project/Museum-of-the-American-Revolution
+ Museum of the American Revolution
+ The Museum of the American Revolution uncovers and shares compelling stories about the diverse people and complex events that sparked America’s ongoing experiment in liberty, equality, and self-government.
+
+
+
+ https://staging.giveth.io/project/United-Pentecostal-Church-of-Cooper-City-Inc
+ United Pentecostal Church of Cooper City, Inc
+ We believe that salvation is by grace through faith in Jesus Christ, not by works. Faith in Jesus is the means by which a person is justified. At the same time, a sinner must believe the gospel; he is commanded to repent of his sinful life, to be baptized in water in the name of Jesus Christ, and to receive the gift of the Holy Spirit.
+
+
+
+ https://staging.giveth.io/project/Caring-For-Cats-Inc
+ Caring For Cats Inc
+ Caring for Cats, Inc. is an all-volunteer organization dedicated to maintaining and improving the lives of cats and kittens.
+
+
+
+ https://staging.giveth.io/project/Advocacy-Initiative-for-Development-(AID)
+ Advocacy Initiative for Development (AID)
+ The Organization seeks to promote human rights education and enhance the capabilities of women, children and youth across the world to effect positive social change that would bring about sustainable development in their lives and communities.
+
+
+
+ https://staging.giveth.io/project/Casa-De-Luz
+ Casa De Luz
+ Casa de Luz is a faith-based community resource center, embedded in the community we serve. We develop life-altering relationships that allow families to achieve a more sustainable life.
+
+
+
+ https://staging.giveth.io/project/Kyrene-Schools-Community-Foundation
+ Kyrene Schools Community Foundation
+ The Kyrene Foundation’s mission is to serve and provide resources for children and their families in the Kyrene community.
+The Kyrene Schools Community Foundation (KSCF) advances the mission and vision of the Kyrene School District and is committed to excellence. We work collaboratively with corporations, small business, non-profit organizations, community members, and the Kyrene School District to fund programs, grants, and scholarships to better support our schools teachers, students and families.
+In order to advance the Kyrene Foundation’s mission and vision and Kyrene School District’s educational goals, the Kyrene Foundation is focused on delivering a significantly enhanced level of private funding resources. The foundation advances this mission by encouraging, securing and prudently managing philanthropic investments by individuals, corporations and foundations; and by serving as advisors to and champions for the Kyrene School District.
+The Foundation actively engages the greater Kyrene School District community as partners in these activities. The foundation aspires to become a model of professionalism, conducting its activities in a manner that conveys and represents a high level of accountability, service and performance.
+
+
+
+ https://staging.giveth.io/project/Projects-in-Humanistic-Inquiry
+ Projects in Humanistic Inquiry
+
+
+
+
+ https://staging.giveth.io/project/Why-Childhood-Cancer-Foundation
+ Why Childhood Cancer Foundation
+ Why Childhood Cancer Foundation is a 501(c)(3) nonprofit with a mission to support children and families with expenses associated with cancer treatment. By assisting in-need families with rent, bills, food, or transport, we aim to empower them to focus on their child’s health and healing.
+
+Even the smallest contribution towards these families can make the biggest difference for these families. We hope you join us in being part of these families journey by letting them know we care. At Why, we know that when a child is diagnosed the entire family is part of the treatment.
+
+We invite you to join our family and help us spread the smiles.
+
+Please feel free to find and research us at whychildhoodcancer.org. You may also forward any questions to donations@whychildhoodcancer.org.
+
+
+
+ https://staging.giveth.io/project/Liquid-Church
+ Liquid Church
+ At Liquid, we like to say that we’re the perfect place for imperfect people. No matter who you are or where you’ve been, you’re welcome here. The next step on your journey is simple - join us in-person or online and experience one of our services. We believe Liquid will change the way you think about God and church!
+
+
+
+ https://staging.giveth.io/project/Tibet-House-Inc
+ Tibet House, Inc
+ Tibet House US is dedicated to preserving Tibet’s unique culture at a time when it is confronted with extinction on its own soil. By presenting Tibetan civilization and its profound wisdom, beauty, and special art of freedom to the people of the world, we hope to inspire others to join the effort to protect and save it.Tibet House US is part of a worldwide network of Tibetan institutions committed to ensuring that the light of the Tibetan spirit never disappears from the face of this earth.
+
+
+
+ https://staging.giveth.io/project/Autism-Research-Institute
+ Autism Research Institute
+ To support the health and well-being of people affected by autism through innovative, impactful research and education.
+
+
+
+ https://staging.giveth.io/project/The-Roman-Catholic-Archbishop-of-San-Francisco
+ The Roman Catholic Archbishop of San Francisco
+ We, the Catholic Church of San Francisco, in a communion of faith and charity with the successor of Peter, reach out and receive with welcoming arms all of God’s people: the saint and the sinner;the young and the elderly;the poor and the rich;the immigrant and the native;the lost sheep and those still searching. At this unique moment, as we stand at the crossroad leading to the Third Millennium we recognize ourselves as pilgrim people called by God and empowered by the Spirit to be disciples of Jesus Christ. We pledge ourselves to be a dynamic and collaborative community of faith known for its quality of leadership, its celebration of the Eucharist, its proclamation of the Good News, its service to all in need and its promotion of justice, life and peace. Rich in diversity of culture and peoples and united in faith, hope and love we dedicate ourselves to the glory of God. In this our mission we each day seek holiness and one day heaven.
+
+
+
+ https://staging.giveth.io/project/Lighthouse-MI
+ Lighthouse MI
+ Lighthouse endeavors to build equitable communities that alleviate poverty in partnership with and in service to individuals, families, and organizations.
+
+
+
+ https://staging.giveth.io/project/18-Reasons
+ 18 Reasons
+ Our mission is to empower our community with the confidence and creativity needed to buy, cook, and eat good food every day.
+
+
+
+ https://staging.giveth.io/project/WorldofMoneyorg
+ WorldofMoneyorg
+ WorldofMoney.orgs mission is to give young people, ages 7 -18, empowering financial education to survive economic roller-coasters by using their innate intelligence and creativity to expand their access to the free enterprise system beyond that of consumerism, but to disciplined saving, and the understanding of investing in capital markets.
+
+
+
+ https://staging.giveth.io/project/The-Everglades-Foundation
+ The Everglades Foundation
+ The Everglades Foundation works to restore and protect Americas Everglades through science, advocacy and education. Our vision is an Everglades with abundant freshwater for consumption, enjoyment, ecological health and economic growth for generations to come.
+
+
+
+ https://staging.giveth.io/project/Ceres
+ Ceres
+ Ceres is a nonprofit organization transforming the economy to build a just and sustainable future for people and the planet. We work with the most influential capital market leaders to solve the world’s greatest sustainability challenges. Through our powerful networks and global collaborations of investors, companies and nonprofits, we drive action and inspire equitable market-based and policy solutions throughout the economy.
+
+
+
+ https://staging.giveth.io/project/FOXG1-Research-Foundation
+ FOXG1 Research Foundation
+ The FOXG1 Research Foundation (FRF) is the parent-led global organization driving the research to find a cure for every child in the world with the rare neurological disorder called FOXG1 syndrome. Most children with FOXG1 syndrome are severely physically and cognitively disabled and suffer with life-threatening epilepsy. The FRF is dedicated to a cure, as well as finding precise treatments to help every child, while supporting families through this difficult journey.
+
+
+
+ https://staging.giveth.io/project/House-of-Ruth
+ House of Ruth
+ Founded in 1976, House of Ruth empowers women, children and families in Washington, DC to rebuild their lives and heal from trauma, abuse and homelessness. Our continuum of services encompasses enriched housing for families and single women, trauma-informed childcare, and free counseling to empower anyone, regardless of gender, who is a survivor of trauma and abuse.
+
+
+
+ https://staging.giveth.io/project/United-Way-of-the-Lowcountry-Inc
+ United Way of the Lowcountry, Inc
+ To be the leading force for social change to improve basic needs, education, health and economic mobility outcomes for the citizens of Beaufort and Jasper counties.
+
+
+
+ https://staging.giveth.io/project/Together-Rising
+ Together Rising
+ In a world where crises abound and heartache is in every community, people who want to help often dont know where to turn. Together Rising has become where they turn. For hundreds of thousands of people across America, Together Rising is the Next Right Thing. Together Rising is the Next Right Thing because we are a trusted conduit to connect people of conscience with the means to effectively address the urgent needs they see in their own communities and around the world.
+
+
+
+ https://staging.giveth.io/project/Sandy-Hook-Promise-Foundation
+ Sandy Hook Promise Foundation
+ Mission of Sandy Hook Promise is to end school shootings and create a culture change that prevents violence and other harmful acts that hurt children. Through our proven, evidence-informed Know the Signs programs and sensible, bipartisan school and gun safety legislation, we teach young people and adults to recognize, intervene, and get help for individuals who may be socially isolated and/or at risk of hurting themselves or others. Sandy Hook Promise is a national nonprofit organization founded and led by several family members whose loved ones were killed at Sandy Hook Elementary School on December 14, 2012. Based in Newtown, Connecticut, our intent is to honor all victims of gun violence by turning our tragedy into a moment of transformation.
+
+
+
+ https://staging.giveth.io/project/Gray-Area-Foundation-for-the-Arts-Inc
+ Gray Area Foundation for the Arts, Inc
+ Gray Area is a San Francisco-based nonprofit cultural incubator. Our mission is to cultivate, sustain, and apply antidisciplinary collaboration — integrating art, technology, science, and the humanities — towards a more equitable and regenerative future. Since our inception in 2008, Gray Area has established itself as a singular hub for critically engaging with technology and culture in the Bay Area, while also reaching a global audience. Through our platform of public events, education, and research programs we empower a diverse community of creative practitioners with the agency to create meaningful social impact through category-defying work.
+
+
+
+ https://staging.giveth.io/project/Partnership-to-End-Addiction
+ Partnership to End Addiction
+ Were on a mission to transform how our nation addresses addiction by empowering families, advancing effective care, shaping public policy and changing culture. As the nation’s leading organization dedicated to addiction prevention, treatment and recovery, we are a diverse community of researchers, advocates, clinicians, communicators and more. Families have the power to create, nurture and transform. With your help, we are ensuring parents and caregivers can take actionable steps to empower their loved ones.
+
+
+
+ https://staging.giveth.io/project/Osiris-Organization
+ Osiris Organization
+ Osiris Organization provides access to technology, digital literacy and career training opportunities - pathways that prepare Twin Cities youth and adults from all backgrounds for successful careers in the field of technology.
+
+
+
+ https://staging.giveth.io/project/BAYADA-Home-Health-Care-Inc
+ BAYADA Home Health Care, Inc
+ BAYADA Home Health Care has a special purpose—to help people have a safe home life with comfort, independence, and dignity. BAYADA Home Health Care provides nursing, rehabilitative, therapeutic, hospice, and assistive care services to children, adults, and seniors worldwide. We care for our clients 24 hours a day, 7 days a week. Families coping with significant illness or disability need help and support while caring for a family member. Our goal at BAYADA is to provide the highest quality home health care services available. We believe our clients and their families deserve home health care delivered with compassion, excellence, and reliability, our BAYADA core values.
+
+
+
+ https://staging.giveth.io/project/Endeavor-Therapeutic-Horsemanship
+ Endeavor Therapeutic Horsemanship
+ Endeavor Therapeutic Horsemanship Inc.’s mission is to empower individuals with a broad range of needs by providing the highest quality equine-assisted services in an inclusive and welcoming environment. <br>Equine assisted services is an industry that refers to services in which professionals incorporate horses to benefit people. Looking to leverage the healing power of the horse in service to the most disadvantaged children and adults, Endeavor offers a wide range of programs and services meant to generate meaningful outcomes that improve both participant functioning, as well as their quality of life. Founded in 2014, Endeavor provides programs to Veterans, At Risk Youth, and Children and Adults with Disabilities.
+
+
+
+ https://staging.giveth.io/project/Water-for-South-Sudan-Inc
+ Water for South Sudan, Inc
+ Water for South Sudan delivers sustainable quality-of-life services to and with the people of South Sudan by efficiently providing access to clean, safe water, and improving hygiene and sanitation practices in areas of great need.
+
+
+
+ https://staging.giveth.io/project/Orangutan-Outreach
+ Orangutan Outreach
+ Orangutan Outreachs mission is to protect orangutans in their native forests of Borneo and Sumatra while providing care for orphaned and displaced orangutans until they can be returned to their natural environment. If they cannot be released, we will do everything in our power to ensure they have a life of dignity and the best possible long-term care. We seek to raise funds and promote public awareness of orangutan conservation issues by collaborating with partner organizations around the world.
+
+
+
+ https://staging.giveth.io/project/Fort-Worth-Zoo
+ Fort Worth Zoo
+ The mission of the Fort Worth Zoo is to strengthen the bond between humans and the environment by promoting responsible stewardship of wildlife and ensuring diverse, high-quality educational and entertaining family experiences through effective and efficient management of its resources. The Zoo strives to achieve these goals through three cornerstone principles: conservation, education and entertainment.
+
+
+
+ https://staging.giveth.io/project/Little-Smiles-Inc
+ Little Smiles, Inc
+ Helping kids be kids during difficult times.
+
+
+
+ https://staging.giveth.io/project/The-Humane-Society-of-The-United-States
+ The Humane Society of The United States
+ We fight the big fights to end suffering for all animals.
+
+Together with millions of supporters, we take on puppy mills, factory farms, the fur trade, trophy hunting, animal cosmetic and chemicals testing and other cruel industries. Through our rescue, response and sanctuary work, as well as other hands-on animal care services, we help thousands of animals every year. We fight all forms of animal cruelty to achieve the vision behind our name: a humane society.
+
+
+
+ https://staging.giveth.io/project/Prison-Mathematics-Project-Inc
+ Prison Mathematics Project Inc
+ The Prison Mathematics Project (aka the PMP) is focused on connecting incarcerated individuals to mentors in the outside world. To provide them coaching on their math studies and help integrate them with the wider math community.
+
+
+
+ https://staging.giveth.io/project/Minnesota-Street-Project-Foundation
+ Minnesota Street Project Foundation
+ Minnesota Street Project Foundation operates as a catalyst expanding Minnesota Street Project’s mission to retain and strengthen the Bay Area’s contemporary art community. Furthering the multi-faceted Project—innovative in both design and purpose—the Foundation broadens the base of direct financial support to the arts and creative process.
+
+
+
+ https://staging.giveth.io/project/South-Florida-Wildlands-Association-Inc
+ South Florida Wildlands Association Inc
+ South Florida Wildlands Association works to protect wildlife and wildlife habitat in the Greater Everglades. On public lands, we seek management plans which put the protection of wildlife and natural resources ahead of recreational and other considerations. On private lands, South Florida Wildlands works to ensure that Floridas rapid pace of development does not destroy, degrade, and fragment rare wildlife species, wetlands, and other critical features of the natural environment in the process.
+
+
+
+ https://staging.giveth.io/project/Crohns-Colitis-Foundation-Inc
+ Crohns Colitis Foundation Inc
+ To find a cure for Crohns disease and ulcerative colitis and to improve the quality of life of children and adults affected by these diseases. Crohns disease and ulcerative colitis are collectively known as inflammatory bowel diseases (IBD).
+
+
+
+ https://staging.giveth.io/project/Parents-Of-Infants-And-Children-With-Kernicterus-Inc
+ Parents Of Infants And Children With Kernicterus Inc
+ Parents of Infants and Children with Kernicterus (PICK) is a parent-run 501 (c)(3) non-profit organization dedicated to research, education, prevention and outreach for children with kernicterus and their families. We are passionately pursuing ways to make the future of those affected by kernicterus brighter.
+
+
+
+ https://staging.giveth.io/project/Unique-Care-Connect-Inc
+ Unique Care Connect, Inc
+ The mission of Unique Care Connect is to build the first unified virtual platform for the Special Needs Community. Using this platform to bring modern day solutions to the respite care crisis and promote modern day research.
+
+
+
+ https://staging.giveth.io/project/Dolly-Partons-Imagination-Library
+ Dolly Partons Imagination Library
+ We aspire to firmly establish Dolly Partons Imagination Library as the highest quality, most effective, instantly recognized, global book gifting resource to help inspire a love of reading and learning in children from birth until age five, no matter their familys income.
+
+
+
+ https://staging.giveth.io/project/Rainforest-Trust
+ Rainforest Trust
+ Rainforest Trust saves endangered wildlife and protects our planet by creating rainforest reserves through partnerships, community engagement and donor support.
+
+
+
+ https://staging.giveth.io/project/National-Public-Radio-Inc
+ National Public Radio, Inc
+ NPRs mission is to work in partnership with member stations to create a more informed public - one challenged and invigorated by a deeper understanding and appreciation of events, ideas and cultures. To accomplish our mission, NPR produces, acquires and distributes programming that meets the highest standards of public service in journalism and cultural expression. Our vision is to serve the public as the leading provider of high quality news, information and cultural programming worldwide.
+
+
+
+ https://staging.giveth.io/project/Muscular-Dystrophy-Association
+ Muscular Dystrophy Association
+ Muscular Dystrophy Association (MDA) is the #1 voluntary health organization in the United States for people living with muscular dystrophy, ALS, and related neuromuscular diseases. For over 70 years, MDA has led the way in accelerating research, advancing care, and advocating for the support of individuals and families MDA serves. MDA’s mission is to empower the people we serve to live longer, more independent lives.
+
+
+
+ https://staging.giveth.io/project/Warrior-Rising
+ Warrior Rising
+ Warrior Rising empowers U.S. military veterans and their immediate family members to find their purpose and sense of community by providing them opportunities to create sustainable businesses, perpetuate the hiring of fellow U.S. military veterans, and earn their future.
+
+
+
+ https://staging.giveth.io/project/Community-Kitchens-Inc
+ Community Kitchens Inc
+ Community Kitchen raises funds to purchase discounted meals from local restaurants and other community organizations, pick up the meals and distribute them to unhoused community members.
+
+
+
+ https://staging.giveth.io/project/Transformative-Freedom-Fund
+ Transformative Freedom Fund
+ Supporting the authentic selves of transgender coloradans by removing financial barriers to transition related healthcare.
+
+
+
+ https://staging.giveth.io/project/Institute-For-Education-Research-And-Scholarships
+ Institute For Education Research And Scholarships
+ Established in 2004, the Institute for Education, Research, and Scholarships (IFERS) is an award-winning California-based 501(c)(3) nonprofit public charity organization dedicated to improving society by conducting scientific and social research as well as being a fiscal sponsor for more than 150 humanitarian projects. We believe in changing the world for the better through education, research, and scholarships. Our ultimate goal is to create a better world with lasting peace, prosperity, and universal rights for all.
+
+
+
+ https://staging.giveth.io/project/McGivney-Foundation-Inc
+ McGivney Foundation Inc
+ Provide charitable works for the under privelged.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-Magen-David-Adom
+ American Friends of Magen David Adom
+ MDA is Israels national emergency response, blood services, and disaster relief organization. It is not a government agency, though it is the only organization appointed by the Government to serve in this role. MDAs 30,000 paramedics and EMTs, and volunteers are always there for all Israelis. They respond to typical emergencies and incidences of greater magnitude with 2,000 vehicles on call around the clock, based at 198 EMS stations nationwide. MDA Blood Service collects and processes 97% of the blood supply distributed to Israeli hospitals and the entirety needed by the Israel Defense Forces. Emergency preparedness training equips them to respond to mass casualty events and provide humanitarian aid at home and abroad. American Friends of MDA raises funds to support this vital work.
+
+
+
+ https://staging.giveth.io/project/Compassion-Without-Borders
+ Compassion Without Borders
+ Compassion without Borders brings brighter futures to animals in need on both sides of the border. We focus our efforts where the need is the greatest, but where animals are the very least likely to be helped due to financial, geographic, and cultural barriers.<br><br>Our programs include a dog rescue program from Mexico and the Central Valley, along with free veterinary wellness and spay/neuter clinics in underserved communities on both sides of the border. We also have a humane euthanasia program in Mexico, where we are actively working to stop electrocution, a common method of killing unwanted animals south of the border.
+
+
+
+ https://staging.giveth.io/project/Rotary-Club-of-San-Francisco-Chinatown-Foundation-Inc
+ Rotary Club of San Francisco Chinatown Foundation Inc
+ To fund and assist in the welfare of the local and global community, to promote the values of the rotary international, by supporting a variety of charities.
+
+
+
+ https://staging.giveth.io/project/Trees-Water-People
+ Trees, Water People
+ At Trees, Water & People, our mission is to improve lives by helping communities to protect, conserve, and manage their natural resources.
+
+
+
+ https://staging.giveth.io/project/National-Audubon-Society-Inc
+ National Audubon Society, Inc
+ The National Audubon Society
+protects birds and the places they
+need, today and tomorrow.
+
+
+
+ https://staging.giveth.io/project/Eastern-Washington-University-Foundation
+ Eastern Washington University Foundation
+ The Eastern Washington University Foundation builds a compelling case for choice and support of Eastern Washington University among all of its constituents by communicating and advocating for the university’s distinctive regional position, role and contributions, thus forging relationships and securing commitments required to advance the institution’s mission and priorities.Donations to Eastern Washington University Foundation are received from individuals, corporations, and foundations.
+
+
+
+ https://staging.giveth.io/project/Quad-City-Animal-Welfare-Center
+ Quad City Animal Welfare Center
+ The mission of the QCAWC is to operate a shelter for homeless animals, to offer a spay and neuter program, and provide humane education.
+
+
+
+ https://staging.giveth.io/project/Zoes-Toolbox
+ Zoes Toolbox
+ Every baby born with Down syndrome will have their own unique experiences and abilities. Some will have many medical procedures in their first year, and some will be born never spending a day in the hospital. For any diagnosis the first year is the hardest to navigate, and we are here to be a box of sunshine to those families.
+
+
+
+ https://staging.giveth.io/project/Opportunity-Through-Entrepreneurship-Foundation
+ Opportunity Through Entrepreneurship Foundation
+ OTEF, the Opportunity Through Entrepreneurship Foundation, educates and invests in people and organizations that create hope.
+
+
+
+ https://staging.giveth.io/project/Justice-and-Care
+ Justice and Care
+ We work with the police to rescue victims of slavery, bring criminal networks to justice and spark systemic change. We restore lives, secure communities at risk from traffickers and bring together world class specialists to tackle the issue.
+
+
+
+ https://staging.giveth.io/project/Children-of-Peru-Foundation-Inc
+ Children of Peru Foundation, Inc
+ The "Children of Peru Foundation" is dedicated to building a better future for poor children in Peru. We raise funds to make grants to a select group of non-governmental organizations working in Peru to provide better healthcare & education for poor children.
+
+
+
+ https://staging.giveth.io/project/Effective-Ventures-Foundation-USA-Inc
+ Effective Ventures Foundation USA Inc
+ Effective altruism is a growing social movement founded on the desire to make the world as good a place as it can be, the use of evidence and reason to find out how to do so, and the audacity to actually try.
+
+
+
+ https://staging.giveth.io/project/The-Bowery-Mission
+ The Bowery Mission
+ The Bowery Mission exists to promote the flourishing of New Yorkers overcoming homelessness and marginalization by providing compassionate services and transformative community.
+
+
+
+ https://staging.giveth.io/project/Louis-August-Jonas-Foundation-Camp-Rising-Sun
+ Louis August Jonas Foundation Camp Rising Sun
+ For 90 years, LAJF has been committed to helping young people grow intellectually, ethically, and globally. We do this by operating our Rising Sun programs. Camp Rising Sun is our full-scholarship, summer leadership program for teenagers from more than 30 different countries and 10 U.S. states. Each summer, 60 young men and 60 young women practice leadership skills in a supportive community of peers and counselors.<br><br>The mission of the Louis August Jonas Foundation is to develop in promising young people from around the world a lifelong commitment to compassionate and responsible leadership for the betterment of their communities and the world.<br><br>We seek to:<br><br>Foster an appreciation of both diversity and our common humanity<br><br>Expand intellectual horizons and heighten artistic sensibilities<br><br>Develop leadership abilities and self-reliance in a safe environment<br><br>Offer and demonstrate a philosophy of living to serve society through the pursuit of humanitarian goals
+
+
+
+ https://staging.giveth.io/project/Education-Reimagined
+ Education Reimagined
+ We are committed to the creation of a racially just and equitable world where every child is loved, honored, and supported such that their boundless potential<br>is unleashed. We offer our vision as a beacon for all those dedicated to transforming education for every single child in America.
+
+
+
+ https://staging.giveth.io/project/One-Tree-Planted-Inc
+ One Tree Planted, Inc
+ One Tree Planted is a 501(c)(3) nonprofit on a mission to make it simple for anyone to help the environment by planting trees. Their projects span the globe and are done in partnership with local communities and knowledgeable experts to create an impact for nature, people, and wildlife. Reforestation helps to rebuild forests after fires and floods, provide jobs for social impact, and restore biodiversity. Many projects have overlapping objectives, creating a combination of benefits that contribute to the UNs Sustainable Development Goals. Learn more at onetreeplanted.org.
+
+
+
+ https://staging.giveth.io/project/Hillel:-The-Foundation-for-Jewish-Campus-Life
+ Hillel: The Foundation for Jewish Campus Life
+ Our Mission: Enriching the lives of Jewish students so that they may enrich the Jewish people and the world.
+
+Our Vision: We envision a world where every student is inspired to make an enduring commitment to Jewish life, learning and Israel.
+
+
+
+ https://staging.giveth.io/project/A-Walk-On-Water-Inc
+ A Walk On Water Inc
+ Harnessing the ocean’s transformative powers, A Walk On Water delivers life-changing surf therapy to children with unique needs and their families. Since its launch in August of 2012, AWOW has served over 1,000 families and provided Surf Therapy to over 2,000 children and adults with special needs, alongside their siblings. We constantly strive to enhance and our programs, strengthen our community and provide access to more children in need and their families, while remaining true to our core values are empowering children with a feeling of pride and accomplishment, as they unlock their inner athlete through the emotional and incredibly transforming experience of surfing.
+
+
+
+ https://staging.giveth.io/project/Semper-Fi-Americas-Fund
+ Semper Fi Americas Fund
+ Semper Fi & America’s Fund cares for our nation’s critically wounded, ill, and injured service members, veterans, and military families. Supporting all branches of the U.S. Armed Forces, we provide one-on-one case management, connection, and lifetime support. Today. Tomorrow. Together.
+
+
+
+ https://staging.giveth.io/project/One-Earth
+ One Earth
+ One Earth is a philanthropic organization working to accelerate collective action to limit global average temperature rise to 1.5°C. The solutions for the climate crisis already exist, and the latest science shows we can achieve the 1.5°C goal through three pillars of action – a shift to 100% renewable energy by 2050, protection and restoration of half of the world’s lands and oceans, and a transition to regenerative, climate-friendly agriculture. To achieve these goals, we must rapidly scale philanthropic capital to meet critical funding gaps over the coming decade.
+
+
+
+ https://staging.giveth.io/project/Sefaria
+ Sefaria
+ Sefaria is a non-profit organization dedicated to using technology to build the future of Jewish learning in an open and participatory way. We are assembling a free, living library of Jewish texts and their interconnections, in Hebrew and in translation. With these digital texts, we are creating new, interactive interfaces for Web and mobile, which enable more people than ever to engage with the textual treasures of our tradition.
+
+
+
+ https://staging.giveth.io/project/Kids-Cancer-Alliance
+ Kids Cancer Alliance
+ The mission of Kids Cancer Alliance is to enhance the quality of life for children with cancer and their families through recreational and support programs. We are striving for a world where every child and family impacted by childhood cancer in our region is empowered, supported and hopeful.
+
+
+
+ https://staging.giveth.io/project/Generation-You-Employed-Inc
+ Generation You Employed, Inc
+ Transforming education to employment systems to prepare, place, and support people into life-changing careers that would otherwise be inaccessible.
+
+
+
+ https://staging.giveth.io/project/Think-Of-Us
+ Think Of Us
+ Think of Us is a systems change organization- we spark, partner, influence, and create to transform the Child Welfare system.
+
+
+
+ https://staging.giveth.io/project/Goddard-Riverside-Community-Center
+ Goddard Riverside Community Center
+ Goddard Riverside strives toward a fair and just society where all people can make choices that lead to better lives for themselves and their families. We serve more than 20,000 New Yorkers each year with programs including early childhood education, after school, employment support, college access, youth programs, homeless outreach, senior centers and legal assistance.
+
+
+
+ https://staging.giveth.io/project/The-Future-of-Freedom-Foundation
+ The Future of Freedom Foundation
+ The mission of The Future of Freedom Foundation is to advance freedom by providing an uncompromising moral and economic case for individual liberty, free markets, private property, and limited government.
+
+
+
+ https://staging.giveth.io/project/Kitchen-Angels
+ Kitchen Angels
+ Kitchen Angels mission is to provide free, nutritious meals to our homebound neighbors facing life-challenging conditions.
+
+
+
+ https://staging.giveth.io/project/Choose-Love-2
+ Choose Love 2
+ We are pioneering a new movement in humanitarian aid: fast, flexible, transparent and accountable.<br><br>We are a lean, passionate team driving a fast-paced global movement across 15 countries.<br><br>We have raised millions to support refugees and created a movement of people putting love into action around the world.
+
+
+
+ https://staging.giveth.io/project/Children-in-Harmony
+ Children in Harmony
+ Amani Project supports local organizations around the world to provide opportunities for young people to embrace music-making and social and emotional learning as a way to explore emotional health, connectedness, and community engagement.
+
+
+
+ https://staging.giveth.io/project/Naismith-Memorial-Basketball-Hall-Of-Fame
+ Naismith Memorial Basketball Hall Of Fame
+ Is an independent non-profit 501(c)(3) organization dedicated to promoting, preserving and celebrating the game of basketball at every level – men and women, amateur and professional players, coaches and contributors, both domestically and internationally. The Hall of Fame museum is home to more than 400 inductees and over 40,000 square feet of basketball history.
+
+Best known for its annual marquee Enshrinement Ceremony honoring the game’s elite, the Hall of Fame also operates over 70 high school and collegiate competitions annually throughout the country and abroad.
+
+
+
+ https://staging.giveth.io/project/Food-Bank-of-Central-Eastern-North-Carolina-Inc
+ Food Bank of Central Eastern North Carolina, Inc
+ Nourish people. Build solutions. Empower communities.
+
+
+
+ https://staging.giveth.io/project/Marthas-Kitchen
+ Marthas Kitchen
+ Our mission is to “feed the hungry with dignity, no questions asked.” This past year we provided nearly 1,000,000 meals and distributed 3,500,000 pounds of groceries to those in need. We provide food to over 75 other organizations across nine counties. At Marthas Kitchen we believe that full plates help fuel hearts.
+
+
+
+ https://staging.giveth.io/project/Creative-Commons
+ Creative Commons
+ Creative Commons empowers individuals and communities around the world by equipping them with technical, legal and policy solutions to enable sharing of knowledge and culture in the public interest.
+
+
+
+ https://staging.giveth.io/project/Center-for-New-Data
+ Center for New Data
+ Center for New Data is a nonpartisan organization dedicated to unlocking the power of novel data for social impact. We believe that we have a moral obligation to make novel data more accessible, but that power needs to be redistributed beyond large tech companies and financial firms. Our founding team works alongside a large technical volunteer corps to build bold equity-focused social impact projects that improve our democracy.
+
+
+
+ https://staging.giveth.io/project/St-Labre-Indian-School
+ St Labre Indian School
+ To proclaim the Gospel of Jesus Christ according to Catholic Tradition by providing quality education which celebrates our Catholic faith and embraces Native American cultures, primarily the Northern Cheyenne and Crow Tribes, so that Native American individuals and communities of Southeastern Montana are empowered to attain self-sufficiency.
+
+
+
+ https://staging.giveth.io/project/Girls-Who-Venture
+ Girls Who Venture
+ Girls Who Venture explores and expands our knowledge of women entrepreneurship and the venture capital segment through education, research, knowledge dissemination, and facilitated collaboration, particularly in developing and underdeveloped countries.
+
+
+
+ https://staging.giveth.io/project/Conard-House
+ Conard House
+ At Conard House, we are passionate about our mission to build welcoming communities and caring relationships that empower people and restore hope.
+
+
+
+ https://staging.giveth.io/project/University-of-South-Dakota-Foundation
+ University of South Dakota Foundation
+ To provide private resources for the University of South Dakota to increase the excellence of its students educational experience.
+
+
+
+ https://staging.giveth.io/project/CMT-4B3-Research-Foundation
+ CMT 4B3 Research Foundation
+ The CMT4B3 Research Foundations mission is to develop a cure or treatment for Charcot-Marie-Tooth Disease Type 4B3 (CMT4B3). CMT4B3 is an extremely debilitating, life threatening disease that causes the deterioration of childrens nerves leading to muscle atrophy and paralysis. <br> <br>CMT4B3 Research Foundation is the only organization funding research for CMT4B3.
+
+
+
+ https://staging.giveth.io/project/Coda-Media-Inc
+ Coda Media Inc
+ The organization educates the public by writing and publishing news articles with a focus on global crises and makes complex issues accessible to the public. Our objectives are to investigate and explain complex crises and, in so doing, to challenge conventional narratives, champion consequential journalism, and promote freedom of the press. We want our platform to become a tool for all journalists investigating catalyzing events in their communities.
+
+
+
+ https://staging.giveth.io/project/Infinite-Hero-Foundation
+ Infinite Hero Foundation
+ The mission of the Infinite Hero Foundation is to combat the most difficult frontline issues - mental and physical - facing our military heroes and their families. Infinite Hero Foundation exists to connect our military, veterans and military family members with innovative and effective treatment programs for service related injuries.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Fleming-Park
+ Friends of Fleming Park
+ An unspoiled green space in the heart of Houston, Fleming Park is woven into the fabric of the Southampton neighborhood history and culture.<br><br>Established in 1987, Friends of Fleming Park is a 501(c)(3) organization that funds park maintenance, landscaping, and events that bring the neighborhood together. As a volunteer organization, we rely on the contributions of friends and neighbors as we endeavor to support and improve the park.
+
+
+
+ https://staging.giveth.io/project/British-Schools-and-Universities-Foundation-Inc
+ British Schools and Universities Foundation, Inc
+ To be a catalyst enabling U.S. alumni and friends to make tax-deductible contributions with the option of nominating any approved institution for a grant. Also, to encourage British schools, universities and other educational institutions to reach out to their US constituencies in their fund-raising efforts.
+
+
+
+ https://staging.giveth.io/project/Child-Mind-Institute-Inc
+ Child Mind Institute Inc
+ The Child Mind Institute is dedicated to transforming the lives of children and families struggling with mental health and learning disorders by giving them the help they need to thrive. Were the leading independent nonprofit in childrens mental health, operating three Mission Areas that work together for greater impact: Care, Education and Science.<br><br>We have reached more than 50,000 children through clinical care, research evaluations, and school-based programs, and more than three-quarters of the children we have reached across all our programs received free or reduced-cost services.
+
+
+
+ https://staging.giveth.io/project/The-Black-Fives-Foundation
+ The Black Fives Foundation
+ To research, preserve, showcase, teach, and honor the pre-NBA history of African Americans in basketball.
+
+
+
+ https://staging.giveth.io/project/The-Nonhuman-Rights-Project-Inc
+ The Nonhuman Rights Project Inc
+ The Nonhuman Rights Project is focused on establishing legal personhood and fundamental rights for nonhuman animals through three key pillars: litigation, legislation, and education. Through them we aim to create a robust framework for the recognition and protection of fundamental nonhuman animal rights grounded in longstanding values of principles of justice. The first stage of this work is a legal fight for great apes, elephants, dolphins, and whales’ fundamental right to bodily liberty.
+
+
+
+ https://staging.giveth.io/project/Red-Hook-Art-Project-Inc
+ Red Hook Art Project, Inc
+ RHAP’s mission is rooted in the conviction that creative self-expression is a transformative experience that enriches individuals and communities.As an organization, we work to provide a space where young people feel safe and supported as they develop their voices through artistic projects and activities. We cultivate an environment of playfulness and experimentation, while challenging our older students to help each other strengthen their individual voices through supportive criticism. The experiences of creative problem solving and self-expression that underlie our program generate self-confidence and a sense of agency in our students.We believe that these qualities meaningfully contribute to the well-being of our students, their communities, and ultimately encourage engaged citizenship.
+
+
+
+ https://staging.giveth.io/project/Game-to-Grow
+ Game to Grow
+ Game to Grow’s mission is three-fold:<br><br>Provide gaming groups for therapeutic, educational, and community growth.<br>Train others to use game-based interventions to benefit their own communities.<br>Promote awareness of the life-enriching potential of games across the world.<br><br>Many of the people we support have autism, ADHD, anxiety, or depression which impacts how they experience the world and form relationships with others. Our model honors neurodiversity. It doesnt assume a deficit that needs to be addressed - it supports our participants to flourish on their own terms. Game to Grow groups are a safe, supportive, and fun environment that helps improve social confidence, reduce isolation, and form friendships that last.
+
+
+
+ https://staging.giveth.io/project/Hospice-of-the-Chesapeake-Foundation-Inc
+ Hospice of the Chesapeake Foundation Inc
+ Caring for life throughout the journey with illness and loss.
+
+
+
+ https://staging.giveth.io/project/For-The-Love-Of-Alex
+ For The Love Of Alex
+ For The Love Of Alex, Inc is a 501 (c) (3) nonprofit organization that provides emergency funding for urgent and lifesaving care for pets of low-income families.
+
+
+
+ https://staging.giveth.io/project/Eves-Place-Inc
+ Eves Place Inc
+ EPI supports any victim of domestic, sexual and teen dating abuse by increasing access to services through mobile advocacy.
+
+
+
+ https://staging.giveth.io/project/The-Life-You-Can-Save
+ The Life You Can Save
+ The Life You Can Save is a nonprofit that is dedicated to fighting extreme poverty and that was founded by Peter Singer, often considered to be the world’s most influential living philosopher. Our mission is to inspire people to give generously and give effectively. We do this in two ways: by promoting highly cost–effective, impactful charities that save or improve the most lives per dollar and by educating people about "effective giving".
+
+
+
+ https://staging.giveth.io/project/Toledo-Museum-of-Art
+ Toledo Museum of Art
+ Through our collection and programs, we strive to integrate art into the lives of people.
+
+
+
+ https://staging.giveth.io/project/Immigrant-Defenders-Law-Center
+ Immigrant Defenders Law Center
+ Immigrant Defenders Law Center (ImmDef) is a next-generation social justice law firm that defends our immigrant communities against injustices in the immigration system. We envision a future where no immigrant will be forced to face an unjust immigration system alone. Our programs are a first step towards the long-term goal of providing universal representation to all immigrants facing deportation. ImmDef is the largest non‐profit, pro bono provider of deportation defense in Southern California with offices in Los Angeles, Adelanto, Riverside, Santa Ana, and San Diego.
+
+
+
+ https://staging.giveth.io/project/Homemade-Hope-for-Homeless-Children
+ Homemade Hope for Homeless Children
+ Through a unique program focused on the culinary arts, Homemade Hope nurtures and empowers at-risk Houston children, teaching them how to cook nutritious foods, developing their life skills and engendering stability in their lives.
+
+
+
+ https://staging.giveth.io/project/Global-Empowerment-Mission
+ Global Empowerment Mission
+ GEM’s aim is to provide grassroots efforts with a large institutional impact on the most vulnerable populations affected by natural disasters around the world.<br><br>GEM is dedicated to restoring hope and opportunity in the lives of those most affected by natural disasters. The organization works as a first responder for disaster relief, bridges the gap between first response and sustainable development, and implements practices to ensure sustainable development.<br><br>In addition to the three planned phases, GEM operates year-round programming that focuses on school and home reconstruction, education and empowerment, and environmental and health programs. The programs goals are to bring people back to normalcy and elevate communities beyond the cycle of disaster response. The outcome of these programs is to provide long-term redevelopment, which mitigates the psychosocial impact of displacement. These programs create independence through sustainable initiatives as the communities have a vested interest in the programs and over time grow and improve them on their own.
+
+
+
+ https://staging.giveth.io/project/Denver-Zoological-Foundation-Inc
+ Denver Zoological Foundation, Inc
+ Denver Zoological Foundation is a zoo-based wildlife conservation organization seeking to create authentic connections to welcome and engage diverse communities to our 84 acre campus located in Denver, Colorado. We unite communities and partners with the goal of extending our impact both locally and globally to save wildlife for future generations.
+
+
+
+ https://staging.giveth.io/project/Self-Care-Lab-Boxing-Fitness-Club
+ Self-Care Lab Boxing Fitness Club
+ The Self-Care Lab Boxing & Fitness Club’s mission is to increase mental health awareness and resources within the community and amongst athletes, through exercise.
+
+
+
+ https://staging.giveth.io/project/Bye-Bye-Plastic
+ Bye Bye Plastic
+ Bye Bye Plastic is a disruptive non-profit removing single-use plastics from the music & events industry!<br><br>We use the power of music, the strongest social connector, to create impact & change for our planet.
+
+
+
+ https://staging.giveth.io/project/Transplant-Families
+ Transplant Families
+ To provide support for pediatric transplant patients and their families and provide a constructive forum for families, practitioners and the greater pediatric transplant community.
+
+
+
+ https://staging.giveth.io/project/Habitat-For-Horses-Inc
+ Habitat For Horses Inc
+ 1) To promote and secure the safety and well being of all horses. 2) To encourage education concerning the physical and mental health of horses. 3) To explore and establish connections with young adults who can benefit emotionally from involvement with horses. 4) To promote the proper training of horses through positive training techniques. 5) To provide a home for those horses who are no longer able to be productive. At Habitat for Horses, we are assuming the responsibility of our horses for the remainder of their natural lives. Our concern isnt limited to physical condition, it also calls for us to provide the best environment possible to promote their mental growth and development.
+
+
+
+ https://staging.giveth.io/project/Standish-Foundation-For-Children
+ Standish Foundation For Children
+ To transform healthcare experiences for children by helping reduce their fear and pain, Through healthcare provider education and mentorship, volunteer service on medical missions, grant giving and funding for hospital playrooms, we will impact 1 million children by 2025.br><br>We want a world where children and families are not traumatized by their healthcare experiences and where healthcare professionals are empowered and supported to consistently provide family-centered care practices which help build healthy communities.
+
+
+
+ https://staging.giveth.io/project/Blue-Ridge-Conservancy
+ Blue Ridge Conservancy
+ Blue Ridge Conservancy partners with landowners and local communities to permanently protect natural resources with agricultural, cultural, recreational, ecological and scenic value in northwest North Carolina.
+
+
+
+ https://staging.giveth.io/project/Womens-Earth-Alliance
+ Womens Earth Alliance
+ Womens Earth Alliance (WEA) is a 16-year global organization on a mission to protect our environment, end the climate crisis and ensure a just, thriving world by empowering womens leadership. When Women Thrive, the Earth Thrives.
+
+
+
+ https://staging.giveth.io/project/Nu-Deco-Ensemble
+ Nu Deco Ensemble
+ Created by Jacomo Bairos and Sam Hyken, Nu Deco Ensembles mission is to create compelling and transformative genre-bending musical experiences to inspire, enrich and connect new and diverse audiences and artists. Since its inception in 2015, Nu Deco Ensemble has exploded onto Miami’s eclectic music scene captivating audiences, holistically engaging with its community, and fusing innovative, genre-bending orchestral performances and collaborations with the highest levels of musical artistry.
+
+
+
+ https://staging.giveth.io/project/American-Association-for-the-Study-of-Liver-Diseases-Foundation
+ American Association for the Study of Liver Diseases Foundation
+ To support liver research and provide education about liver disease and its treatment to those providing care to patients.
+
+Vision: Our vision is fully funded liver research, informed providers, hopeful patients and eventual cures
+
+
+
+ https://staging.giveth.io/project/Transgender-Law-Center
+ Transgender Law Center
+ Transgender Law Center changes law, policy, and attitudes so that all people can live safely, authentically, and free from discrimination regardless of their gender identity or expression. TLC is the largest national trans-led organization advocating self-determination for all people. Grounded in legal expertise and committed to racial justice, TLC employs a variety of community-driven strategies to keep transgender and gender nonconforming people alive, thriving, and fighting for liberation.
+
+
+
+ https://staging.giveth.io/project/Citizens-Climate-Education-Corp
+ Citizens Climate Education Corp
+ Citizens’ Climate Education (CCE) is a nonpartisan grassroots advocacy organization that empowers everyday people to build political will for effective climate solutions.
+
+
+
+ https://staging.giveth.io/project/Tempe-Sister-City-Corporation
+ Tempe Sister City Corporation
+ To provide person to person citizen diplomacy through cultural, educational, and professional exchange programs for high school Juniors. To further develop global leaders and promote mutual respect and friendships for the city of Tempe and our Sister Cities.
+
+
+
+ https://staging.giveth.io/project/Brain-Behavior-Research-Foundation
+ Brain Behavior Research Foundation
+ The Brain & Behavior Research Foundation is a global nonprofit organization focused on improving the understanding, prevention and treatment of psychiatric and mental illnesses.
+
+
+
+ https://staging.giveth.io/project/Young-Mens-Christian-Association-of-Greater-St-Petersburg-Inc
+ Young Mens Christian Association of Greater St Petersburg Inc
+ To put Judeo Christian principles into practice through programs that build healthy spirit, mind and body for all.
+
+
+
+ https://staging.giveth.io/project/Free-The-Girls
+ Free The Girls
+ We exist to empower women exiting from sex trafficking reintegrate into their communities. Through economic empowerment, we see a world in which previously enslaved women are leading vibrant, successful, integrated lives.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Club-of-Greenwich
+ Boys Girls Club of Greenwich
+ To prepare young people, through enrichment opportunities and supportive relationships, to be responsible, caring and productive community members.
+
+
+
+ https://staging.giveth.io/project/African-Road-Inc
+ African Road, Inc
+ African Road builds long term relationships with local Changemakers, for the life, health and growth of communities in East Africa.
+
+
+
+ https://staging.giveth.io/project/NAMI-National
+ NAMI National
+ Millions of people in the United States, 1 in 5 or nearly 60 million, face the day-to-day reality of living with a mental health condition. NAMI, the National Alliance on Mental Illness, is the nations largest grassroots mental health organization dedicated to providing advocacy, education, support and public awareness so that individuals and families affected by mental illness can build better lives.
+
+
+
+ https://staging.giveth.io/project/Summer-of-Service
+ Summer of Service
+ Students of Service (SOS) develops young leaders who have a global perspective to solve local problems.<br>Our programs combine meaningful local community service with informed international experiences. We see a world in which all young people - no matter their background - believe in their power to make a positive difference in their communities and around the world.
+
+
+
+ https://staging.giveth.io/project/Bay-Area-Homeless-Services
+ Bay Area Homeless Services
+ Bay Area Homeless Services is committed to assisting homeless individuals, adults, children, and intact families to stabilize and achieve self-sufficiency and return to independent living as contributing members of the community.
+
+
+
+ https://staging.giveth.io/project/Center-for-Renewable-Energy-and-Appropriate-Technology-For-The-Environment
+ Center for Renewable Energy and Appropriate Technology For The Environment
+ CREATE!s mission is to build resilience in the face of climate change in rural West Africa, particularly Senegal, through improved access to clean water, food security, health and nutrition, and livelihood opportunities, using appropriate technology and environmental-based solutions with women as the drivers of change.
+
+
+
+ https://staging.giveth.io/project/Mayas-Hope-Foundation-Inc
+ Mayas Hope Foundation, Inc
+ Maya’s Hope works to improve the quality of life of orphaned, impoverished, and special-needs children on a global scale. Whether providing funding for loving caregivers, vitamin-rich formula, or access to quality medical care, Maya’s Hope improves lives, one child at a time!
+
+
+
+ https://staging.giveth.io/project/The-Bail-Project
+ The Bail Project
+ The Bail Project is a national nonprofit organization designed to combat mass incarceration by disrupting the money bail system — one person at a time.
+
+We believe that paying bail for someone in need is an act of resistance against a system that criminalizes race and poverty and an act of solidarity with local communities and movements for decarceration.
+
+Over the next five years, The Bail Project will open dozens of sites in high-need jurisdictions with the goal of paying bail for tens of thousands of low-income people.
+
+We won’t stop until meaningful change is achieved and the presumption of innocence is no longer for sale.
+
+
+
+ https://staging.giveth.io/project/Tabernacle-of-Glory-Central-Campus
+ Tabernacle of Glory Central Campus
+
+
+
+
+ https://staging.giveth.io/project/Forward-Edge-International
+ Forward Edge International
+ Our child-focused, community development programs in some of the worlds poorest communities help children trapped in poverty reach their full, God-given potential by meeting their basic needs (food, safe water, health care) and empowering them with quality education, vocational training, and spiritual discipleship. Through them, we reach entire families and communities to influence lasting change.
+
+
+
+ https://staging.giveth.io/project/National-Down-Syndrome-Society
+ National Down Syndrome Society
+ To empower individuals with Down syndrome and their families by driving policy change, providing resources, engaging with local communities, and shifting public perceptions.
+
+
+
+ https://staging.giveth.io/project/Anti-Cruelty-Society
+ Anti-Cruelty Society
+ The Anti-Cruelty Society builds a healthy and happy community where pets and people thrive together.
+
+
+
+ https://staging.giveth.io/project/Multicultural-Education-and-Counseling-Through-the-Arts
+ Multicultural Education and Counseling Through the Arts
+ MECA is a community-based non-profit BIPOC organization committed to the healthy development of under-served & under represented families through arts and cultural programming, the promotion of academic excellence, support services, and community building.
+
+
+
+ https://staging.giveth.io/project/Precinct2Gether-Inc
+ Precinct2Gether Inc
+ Precinct2gether is a public service organization dedicated to building partnerships and developing resources to support multi-generational programs in East Harris County and Houstons Near Northside. Our holistic community approach focuses on seniors, youth, veterans, arts, and parks.
+
+
+
+ https://staging.giveth.io/project/Childrens-Museum-Inc
+ Childrens Museum, Inc
+ Our mission is to transform communities through innovative, child-centered learning that improves the trajectories of all children in Greater Houston. Goals aligned with this mission include: 1) providing child-centered learning experiences that are valued by families; 2) supporting parents’ confidence and skills as children’s first teachers; 3) advancing children’s learning to further grade-level readiness; 4) building partnerships to increase educational equity and reduce opportunity gaps; 5) furthering trust across communities through diversity, equity, inclusion and access; and 6) engaging with children to broaden their future career interests and options.
+
+
+
+ https://staging.giveth.io/project/Akron-Canton-Regional-Foodbank
+ Akron-Canton Regional Foodbank
+ To lead a collaborative network that empowers people to experience healthy and hunger-free lives. We distribute food to feed people, and we advocate, engage and convene our community in the fight to end hunger.
+
+
+
+ https://staging.giveth.io/project/Alpine-Montessori
+ Alpine Montessori
+ Alpine Montessori School is committed to the development of the whole child by employing an integrated approach to learning and living. We implement a curriculum based on the montessori philosophy of education and human development. We enrich academic performance and attitude of students in key subject areas. We motivate children to become confident, competent, creative, life-long learners. We encourage them to live their lives as joyful contributors to society, compassionate global citizens and committed caretakers of the earth.
+
+
+
+ https://staging.giveth.io/project/Cheerful-Inc
+ Cheerful Inc
+ Cheerful Inc
+
+
+
+ https://staging.giveth.io/project/Planned-Parenthood-of-Greater-New-York-Inc
+ Planned Parenthood of Greater New York, Inc
+ A leading provider of sexual and reproductive health services and information, a fierce advocate, and a committed partner to advance equity and improve health outcomes for all.
+
+
+
+ https://staging.giveth.io/project/VMI-Foundation
+ VMI Foundation
+ The VMI Foundations mission is simple: to raise, steward, and invest the funds entrusted to it by members of the VMI Family for the sole purpose of advancing the Virginia Military Institute.
+
+
+
+ https://staging.giveth.io/project/Cobb-School-Montessori
+ Cobb School Montessori
+ All program services are for preschool and elementary school education for children ages 15 months to 12 years old with a goal of becoming a recognized authority and practitioner in achieving superlative outcomes based on the Montessori method.
+
+
+
+ https://staging.giveth.io/project/Virginia-Episcopal-School
+ Virginia Episcopal School
+ VES is a co-ed college preparatory school for boarding and day students in grades 9 to 12. In our intentionally small, diverse and engaging community 260 young men and women and 40 faculty we guide students to strive Toward Full Stature in their academic, ethical, spiritual and personal growth.
+
+
+
+ https://staging.giveth.io/project/Miracle-Flights
+ Miracle Flights
+ To provide free commercial airline flights to those in need of life-changing medical care, not available in their home area.
+
+
+
+ https://staging.giveth.io/project/ACLU-Foundation-of-Texas
+ ACLU Foundation of Texas
+ The ACLU of Texas is the unyielding guardian and promoter of freedom, justice, equality and dignity of all people, particularly for those who are still fighting to secure the full exercise of their civil rights and liberties.
+
+
+
+ https://staging.giveth.io/project/Human-Rights-Foundation-Inc
+ Human Rights Foundation Inc
+ Our mission is to ensure that freedom is both preserved and promoted around the world. We focus our work on the founding ideals of the human rights movement, those most purely represented in the 1976 International Covenant on Civil and Political Rights (ICCPR).
+
+We believe that all human beings are entitled to:
+Freedom of self-determination
+Freedom of speech and expression and association
+The right to worship in the manner of their choice
+The right to acquire and dispose of property
+The right to leave and enter their countries
+The right to equal treatment and due process under law
+The right to be able to participate in the government of their countries
+Freedom from arbitrary detainment or exile
+Freedom from slavery and torture
+Freedom from interference and coercion in matters of conscience
+
+
+
+ https://staging.giveth.io/project/SOME-(So-Others-Might-Eat)
+ SOME (So Others Might Eat)
+ At SOME, we offer a comprehensive set of services that meet the immediate and long-term needs of people experiencing homelessness and poverty in Washington, DC. Our continuum of care is designed to help our most vulnerable neighbors find pathways out of poverty and achieve long-term stability and success.
+
+
+
+ https://staging.giveth.io/project/Homeless-Prenatal-Program-Inc
+ Homeless Prenatal Program, Inc
+ In partnership with our families, break the cycle of childhood poverty
+
+
+
+ https://staging.giveth.io/project/Children-at-Risk
+ Children at Risk
+ CHILDREN AT RISK serves as a catalyst for change to improve the quality of life for children through strategic research, public policy analysis, education, collaboration and advocacy.
+
+
+
+ https://staging.giveth.io/project/BANANAS
+ BANANAS
+ BANANAS mission is to partner with families and child care providers to raise happy, confident children. We do this by providing child care referrals, payment assistance programs (child care subsidies), workshops, playgroups, coaching, and support groups to our community of parents, caregivers, and child care providers. Throughout the pandemic BANANAS focused on directly supporting our child care providers and families through touch-free distributions in our office parking lot, which included diapers, wipes, summer reading and enrichment backpacks for kiddos, PPE items, cleaning supplies, and cash stipends.
+
+
+
+ https://staging.giveth.io/project/Planned-Parenthood-of-the-Pacific-Southwest
+ Planned Parenthood of the Pacific Southwest
+ Since 1963, Planned Parenthood of the Pacific Southwest (PPPSW) has grown to serve three countiesSan Diego, Riverside, and Imperialproviding sexual and reproductive health care at 20 medical facilities that reflect the diverse populations we serve. Our mission, carried out by the efforts of nearly 750 staff, guided by a diverse executive team led by CEO Darrah Giorgio Johnson and a committed Board of Directors, is to ensure broad public access to reproductive and sexual health care through direct service, education, and advocacy. Our vision is a world of equity where sexual and reproductive rights are fundamental human rights; access to health care does not depend on who you are or where you live; and where every person can choose their path to a healthy and meaningful life.
+
+
+
+ https://staging.giveth.io/project/Waggle-Foundation-Inc
+ Waggle Foundation, Inc
+ Waggle seeks to safeguard pets, ensuring their lives are not cut short because a pet parent lacks the funds to pay for vital medical treatment. We work in concert with veterinary practices, animal welfare organizations, media, like-minded corporations, and the public, to raise both awarenessand the critical fundingto be the hoped-for safety net for desperate pet guardians.
+
+
+
+ https://staging.giveth.io/project/Family-Touch-Inc
+ Family Touch Inc
+ Family Touch, Inc. is a 501(c)(3) nonprofit organization whose mission is to strengthen immigrant families and low-income individuals through counseling services and educational programming. For the past 15 years, Family Touch has provided services to over 20,000 community members.
+
+
+
+ https://staging.giveth.io/project/Pediatric-Brain-Tumor-Foundation-Of-The-United-States-Inc
+ Pediatric Brain Tumor Foundation Of The United States Inc
+ The Pediatric Brain Tumor Foundation works to eliminate the challenges of childhood brain tumors. As the largest patient advocacy funder of pediatric brain tumor research, our mission is to Care. Cure. Thrive.
+
+
+
+ https://staging.giveth.io/project/Nokota-Horse-Conservancy-Inc
+ Nokota Horse Conservancy Inc
+ The Nokota Horse Conservancy exists to ensure the survival of the historically significant and endangered Nokota breed. Our mission is to continue the breeding program to preserve and protect their genetics and to engage in educational outreach that advances an appreciation of the importance of the Nokota horse and the need to sustain its existence for future generations.
+
+
+
+ https://staging.giveth.io/project/Island-Conservation
+ Island Conservation
+ Island Conservation (IC) is our world’s only international nonprofit conservation organization dedicated solely to preventing extinctions on islands through community-based island restoration and rewilding partnerships. IC was founded in 1994 and is headquartered in Santa Cruz, CA with field offices in Chile, Ecuador, Hawaii, New Zealand, Palau, and Puerto Rico. IC is a United States 501(c)3 charitable organization that works globally, with strategic international and local partnerships wherever they work to help achieve shared conservation goals. To date, IC has completed hundreds of island restoration interventions to protect thousands of populations of threatened wildlife and plant species. Island Conservation’s work combines efforts to remove invasive species, reintroduce native species, support marine ecosystems, improve community livelihoods, and empower local partners to support overall sustainable development. Island Conservation is committed to combating the biodiversity, climate, and ocean crises by increasing the pace and scale of island restorations worldwide.
+
+
+
+ https://staging.giveth.io/project/Hillcrest-Educational-Centers
+ Hillcrest Educational Centers
+ Our mission at Hillcrest Educational Centers is to facilitate the social, emotional, intellectual, and physical growth of our students through the development of new skills that will enable them to succeed in their home community.
+
+
+
+ https://staging.giveth.io/project/Entertainment-Community-Fund
+ Entertainment Community Fund
+ The Entertainment Community Fund (formerly The Actors Fund) fosters stability and resiliency, and provides a safety net for performing arts and entertainment professionals over their lifespan.
+
+
+
+ https://staging.giveth.io/project/Pace-University
+ Pace University
+ Pace University provides to its undergraduates a powerful combination of knowledge in the professions, real-world experience, and a rigorous liberal arts curriculum, giving them the skills and habits of mind to realize their full potential.<br>We impart to our graduate students a deep knowledge of their discipline and connection to its community.<br><br>Firmly rooted in the Universitys founding identity and mission of Opportunities, this unique approach will enable all Pace graduates to realize their full potential as innovative thinkers and active problem solvers who are uniquely trained to make positive and enduring contributions to our future world.
+
+
+
+ https://staging.giveth.io/project/The-Kind-Mouse-Productions-Inc
+ The Kind Mouse Productions, Inc
+ To assist families in transition and their chronically hungry children while developing the next generation of volunteers to carry on the mission of The Kind Mouse. No hardworking individual and their family should ever go hungry.
+
+
+
+ https://staging.giveth.io/project/Monroe-County-Education-Foundation
+ Monroe County Education Foundation
+ The Monroe County Education Foundation via its flagship program, Take Stock in Children prepares qualified low-income, at-risk students in grades 7 – 12 for college and career. Students meet weekly with a volunteer mentor and, upon graduation, may earn up to a 4-year college scholarship. Take Stock in Children Monroe is an award-winning model in the State of Florida thanks to a concerted endeavor from 300 dedicated volunteer mentors and students with a network of individual donors, corporate sponsors, and a hardworking staff.
+
+
+
+ https://staging.giveth.io/project/I-Am-ALS
+ I Am ALS
+ I AM ALS is a patient-led community that provides critical support and resources to patients, caregivers and loved ones. We empower advocates to raise mainstream awareness and lead the revolution against ALS in driving the development of cures.
+
+
+
+ https://staging.giveth.io/project/Maxwell-Leadership-Foundation-Inc
+ Maxwell Leadership Foundation Inc
+ The Maxwell Leadership Foundation is pioneering a values-based, evidence-driven, collaborative process of transformation. People around the globe remain frustrated and apathetic by the global leadership deficit. The foremost voice in leadership for over 40 years, Dr. John C. Maxwell, believes countries and communities will be transformed as the hearts of individuals are. The Maxwell Leadership Foundation gives individuals, companies, communities and nations a transformational leadership solution. Our work focuses on the growth of individuals into leaders who value people. These leaders in turn transform their spheres of influence.
+
+
+
+ https://staging.giveth.io/project/Aspen-Adult-Services-Inc
+ Aspen Adult Services, Inc
+ Aspen Adult Services creates the best lives for our clients and the people who serve them. Community excellence and integration is our goal. Our business began with the idea that a company only gives excellent service when they have a great workplace. Our mission is to offer proactive and effective services to Montanans with disabilities. Our professional and supportive staff have generous pay, benefits, and experience. This experience combines into comprehensive training with compassionate care. Your success is our mission!
+
+
+
+ https://staging.giveth.io/project/Opulent-Philanthropy-Inc
+ Opulent Philanthropy Inc
+ We believe in helping people when they lose their homes to a disaster, or jobs, and become homeless;unable to pay for medical treatment due to cancer, or too impoverished to attend college. Our staff, volunteers, and partners work together to address the effects of homelessness, disasters, education and cancer. Opulents programs empower the most vulnerable among us to improve their quality of life by providing shelter, food, water, scholarships and financial assistance during hardships.
+
+
+
+ https://staging.giveth.io/project/Southern-Paws-Inc
+ Southern Paws Inc
+ Southern Paws inc. Is a 501c3 non-profit dog rescue operating out of New Jersey. We work with fellow rescues in the Southern United States to place dogs who would otherwise be euthanized due to overpopulation. We also provide financial support to these organizations in order to help them aid them in their rescue efforts. Over the past five years we have saved the lives of over 4,500 dogs. It is our goal to be a voice for the voiceless and hope for the hopeless..
+
+
+
+ https://staging.giveth.io/project/Connecticut-Science-Center
+ Connecticut Science Center
+ The Connecticut Science Center’s mission is to inspire lifelong learning through interactive and innovative experiences that explore our changing world through science. In addition to being one of the state’s leading tourist destinations and a venue for interactive, enriching family entertainment, the Science Center serves a serious educational purpose. Our programs help teachers and parents engage children in the STEM (science, technology, engineering and math) fields that are critical to the development of a well prepared future workforce.
+
+
+
+ https://staging.giveth.io/project/START-Rescue
+ START Rescue
+ Addressing the issues of overpopulation of companion animals by offering no/low-cost Spay & Neuter services to underserved communities, providing local adoptions to qualified people and Transporting/Relocating at-risk shelter animals from high intake shelters in Southern/Central California to fully vetted/contracted Rescue Partners in the Pacific
+
+
+
+ https://staging.giveth.io/project/Cicero-Institute
+ Cicero Institute
+ The Cicero Institute applies the innovative energy of Americas leading technologists and entrepreneurs to broken systems in the public sector to advance liberty and opportunity for all Americans. Our culture celebrates ideas, innovation, and results. We seek to create a competition of ideas that mirrors the free parts of the American private sector, spurring entrepreneurship, innovation, and results in places where they don’t currently exist.
+
+
+
+ https://staging.giveth.io/project/Property-and-Environment-Research-Center-(PERC)
+ Property and Environment Research Center (PERC)
+ PERC—the Property and Environment Research Center—is a conservation research institute dedicated to collaborative, market-based conservation efforts. Since 1980, we have developed win-win solutions to protect and effectively manage our land, water, and wildlife. PERC is dedicated to working with conservationists, policymakers, scholars, and journalists to understand the root of environmental conflict and move toward innovative solutions. Our research, workshops, and fellowships strive to replace rhetoric with results and conflict with cooperation so that we can be better stewards of the environment.
+
+
+
+ https://staging.giveth.io/project/Sound-Off
+ Sound Off
+ Sound Off provides ServiceMembers, Veterans, and members of the IC mental health support On Their Terms. We allow them to engage with mental health resources while maintaining their anonymity - mitigating concerns of stigmatization and professional blowback which prevent half of those suffering the most from seeking help.
+
+
+
+ https://staging.giveth.io/project/Embarc-Collective
+ Embarc Collective
+ Embarc Collective is Floridas fastest-growing startup hub helping founders build bold, scalable, thriving companies. Embarc Collective works with a growing roster of over 100 early-stage startups at its 32,000 square-foot facility in downtown Tampa. Member companies receive customized, ongoing coaching and support from startup veterans to help propel their growth.
+
+
+
+ https://staging.giveth.io/project/Beyond-Conflict
+ Beyond Conflict
+ Beyond Conflict uses brain and behavioral science to address the urgent need to better understand and address the causes and consequences of conflict. Combined with 30+ years of peacebuilding experience, we bring about change and advance new strategies to prevent violence and promote peace.
+
+
+
+ https://staging.giveth.io/project/World-Vision
+ World Vision
+ Our focus is on helping the most vulnerable children overcome poverty and experience fullness of life. We help children of all backgrounds, even in the most dangerous places, inspired by our Christian faith.<br><br>World Vision has over 70 years of experience working with communities, donors, partners, and governments to create opportunities for better futures for vulnerable children … even in the toughest places. <br><br>We empower communities and guide them to set their own goals and equip them so that progress made is sustained, and continued, long after we’ve left.<br><br>When disaster strikes, we are on the ground, quickly providing immediate support—and we stay to help children, families, and communities rebuild for the future.<br><br>We serve alongside the poor and oppressed as a demonstration of God’s unconditional love for all people. World Vision serves every child we can, of any faith or none.
+
+
+
+ https://staging.giveth.io/project/Amazon-Watch
+ Amazon Watch
+ Since 1996, Amazon Watch has protected the rainforest and advanced the rights of indigenous peoples in the Amazon Basin. We partner with indigenous and environmental organizations in campaigns for human rights, corporate accountability, and the preservation of the Amazons ecological systems.
+
+
+
+ https://staging.giveth.io/project/Desert-X
+ Desert X
+ Create and present international contemporary art exhibitions that activate desert locations through site-specific installations by acclaimed international artists. Its guiding purposes and principles include presenting public exhibitions of art that respond meaningfully to the conditions of desert locations, the environment and indigenous communities;promoting cultural exchange and education programs that foster dialogue and understanding among cultures and communities about shared artistic, historical, and societal issues;and providing an accessible platform for artists from around the world to address ecological, cultural, spiritual, and other existential themes.
+
+
+
+ https://staging.giveth.io/project/Community-Foundation-of-Greater-Fort-Wayne
+ Community Foundation of Greater Fort Wayne
+ We work to inspire philanthropy in Allen County by helping people make their charitable giving more impactful, connecting funding to effective nonprofits, and providing leadership to address community needs.
+
+
+
+ https://staging.giveth.io/project/US-Ukraine-Foundation
+ US-Ukraine Foundation
+ The Foundation supports democracy, a free market, and human rights in Ukraine. The Foundation is dedicated to strengthening U.S.-Ukraine relations by advancing the mutual objectives of both nations, in advancing Ukraine as a cornerstone of regional stability and as a full partner in the community of nations.
+
+
+
+ https://staging.giveth.io/project/Ovarian-Cancer-Research-Alliance
+ Ovarian Cancer Research Alliance
+ Ovarian Cancer Research Alliance (OCRA) is the leading organization in the world fighting ovarian cancer from all fronts, including in the lab and on Capitol Hill, while supporting women and their families. OCRAs ongoing investment in the most promising scientific research is funding discoveries, creating new treatments, and hastening desperately needed breakthroughs. Our programs help women navigate an overwhelming diagnosis, supporting patients and their families when and where they need it most and our advocacy programs ensure ovarian cancer is a priority when it comes to policy and federal research funding.
+
+
+
+ https://staging.giveth.io/project/Hanns-R-Neumann-Stiftung-North-America-(HRNS-NA)
+ Hanns R Neumann Stiftung North America (HRNS NA)
+ Hanns R. Neumann Stiftung (HRNS) thrives to improve the social situation of people in tropical countries, the welfare and education of youth, and the protection of nature and the environment. The beneficiaries of our work are vulnerable smallholder families in coffee producing rural areas.<br><br>Hanns R. Neumann Stiftung North America (HRNS NA) is our strategic outreach office as part of the global HRNS network and thrives to involve public and private partners in the US and Canada.
+
+
+
+ https://staging.giveth.io/project/W-Haywood-Burns-Institute
+ W Haywood Burns Institute
+ The W. Haywood Burns Institute (BI) is a black-led national, non-profit with a diverse team of bold visionaries, working to transform the administration of justice. Always challenging racial hierarchy and the social control of communities of color by the justice sector and other public systems, BI employs strategies and tactics to establish a community centered approach of justice administration that is anchored in structural well-being.
+
+
+
+ https://staging.giveth.io/project/Archdiocese-of-Atlanta
+ Archdiocese of Atlanta
+ We, the faithful of the Archdiocese of Atlanta, are a people of prayer, love and joy who are dedicated to the salvation of all. As disciples and believers in our Lord and Savior Jesus Christ, we proclaim the good news and grow in faith, hope, love and service to others. We are unified in our commitment to sacramental life, pastoral care and life-long formation in our Roman Catholic faith. We express our love through evangelization, fellowship, Catholic education, social services and charity in the full pursuit of effective discipleship.
+
+
+
+ https://staging.giveth.io/project/USA-Basketball-Foundation
+ USA Basketball Foundation
+ The USA Basketball Foundation is led by its three central pillars: championing women, empowering youth and promoting social responsibility. It’s through these pillars that USABF is committed to fostering an inclusive environment where everyone can play basketball, providing opportunities for youth to develop their skills regardless of their financial status, proper training of coaches on all levels and hosting camps in underserved communities allowing access for youth from all walks of life to experience the gold standard of USA Basketball.<br><br>In addition to these base values, the USABF is a community of basketball enthusiasts dedicated to bringing people together, uplifting young athletes and driving progress for a more equitable world through the game of basketball.
+
+
+
+ https://staging.giveth.io/project/Studio-Bahia
+ Studio Bahia
+ The mission of Studio Bahia is making therapy accessible so we can address mental health crises, from epidemics of anxiety and depression to conditions caused by violence and trauma. Most people with a mental health concern and illness do not seek help and mental health crises abound in populations of refugees to young people. Studio Bahia is an immersive lab addressing mental health with virtual reality to alleviate pain and suffering. We provide a virtual reality cardboard headset and earphones for use on your mobile. Our therapies include refugee trauma, pain management, chronic pain, anxiety, disaster trauma, physical rehabilitation, domestic violence, temporal recalibration for autism, schizophrenia, Parkinson’s disease patients.
+
+
+
+ https://staging.giveth.io/project/Autism-Assistance-Dogs-Ireland
+ Autism Assistance Dogs Ireland
+ AADIs mission and core activity is to change the world for children with autism by offering those suffering from debilitating symptoms of autism the opportunity to reach their full potential. Since its inception in 2010, AADI has placed Assistance Dogs and Companion Dogs to families with a child on the autism spectrum. As well as providing life-changing autism assistance dogs, we are committed to raising autism awareness, understanding and inclusion within the community.<br>At Autism Assistance Dogs Ireland, we aim to enrich the lives of people with disabilities by:<br>(i) the training and placement of highly skilled Assistance Dogs with Autistic children and adults for their safety, independence and companionship,<br>(ii) providing a personalised service with continuing support for Assistance Dog teams and <br>(iii) all other related services and aspects.
+
+
+
+ https://staging.giveth.io/project/Ecosystems-Work-for-Essential-Benefits-Inc-(ECOWEB)
+ Ecosystems Work for Essential Benefits, Inc (ECOWEB)
+ ECOWEB envisions "a peaceful and progressive society living in a safe environment" and aims to progress towards its realization by fulfilling its Mission: "Mobilizing Resources, Building Partnerships, and Empowering Communities" and by working to achieve the five (5) major goals:<br><br>(1) Inclusive Governance<br>(2) Sustainable Local Institutions<br>(3) Improved Social Relations<br>(4) Sustainable Livelihoods of Communities and Social Enterprise<br>(5) Safe Environment and Resilient Communities
+
+
+
+ https://staging.giveth.io/project/American-Chamber-(AMCHAM)-Foundation-Philippines-Inc
+ American Chamber (AMCHAM) Foundation Philippines, Inc
+ The AmCham Foundation serves as the socio-civic arm of the American Chamber of Commerce of the Philippines member companies.<br><br>The AmCham Foundation serves as a catalyst in encouraging American Chamber of Commerce of the Philippines, Inc. member companies to institutionalize their Corporate Social Responsibility activities and/or to use their CSR activities to support their corporate strategies.
+
+
+
+ https://staging.giveth.io/project/The-Bahamas-Crisis-Centre
+ The Bahamas Crisis Centre
+ The Crisis Centre is a non-profit, ideologically independent organization primarily pledged to respond to the needs of all victims of sexual, physical and psychological abuse.The Centre also advocates for legislative and societal protection of survivors and raises public consciousness through education and information.
+
+
+
+ https://staging.giveth.io/project/Hindu-Seva-Pratishthana
+ Hindu Seva Pratishthana
+ LOKA HITHAM MAMA KARANEEYAM (little for self, everything else for society)<br> <br>Hindu Seva Pratishthana (HSP) is committed to the upliftment of the under-served and the people with special needs without any discrimination on the basis of caste, creed or religion. Through service HSP aims to bring about a transformation in the society where people and communities will be self-reliant. The instruments of this change are Sevavratis - young men and women volunteers - many of whom dedicate their lives fully to the noble cause of serving the society in this area.<br> <br>Sevavratis, in the course of their training at HSP, realize, imbibe qualities like patriotism, perseverance and humility, and acquire the skills in working areas like Rural Development, Eradication of untouchability, Drive against alcoholism, Literacy, Child Education, Common Health Education, Individual and Family Counselling, Propagating Yoga and Spoken Samskruta language, Rehabilitation of the Mentally Retarded and Physically handicapped and Street Children, and Environmental protection.<br> <br>Since its inception in 1980, HSP has been constantly expanding its activities, covering more people in towns and villages, and ensuring the co-operation and participation of local people so that the services are effective and benefits are long lasting.
+
+
+
+ https://staging.giveth.io/project/Afesis-Corplan
+ Afesis-Corplan
+ Our mission is to support civic agency through catalytic interventions in sustainable human settlement development and good local governance.
+
+
+
+ https://staging.giveth.io/project/Polska-Misja-Medyczna
+ Polska Misja Medyczna
+ Our mission is to improve the quality of life through medical interventions and humanitarian programmes that build local capacity in poor and vulnerable communities around the world.<br><br>We achieve our goals through direct medical assistance, education, humanitarian and development aid for those most disadvantaged and needy. We provide medical care to pregnant women and small children. Together with doctors from Poland we conduct trainings in hospitals in Africa and Asia. In the Middle East we help refugees in camps.
+
+
+
+ https://staging.giveth.io/project/Asociacion-Juvenil-de-Ayuda-al-Nino-y-al-Discapacitado-AC-IPACIDEVI
+ Asociacion Juvenil de Ayuda al Nino y al Discapacitado AC - IPACIDEVI
+
+
+
+
+ https://staging.giveth.io/project/Ofarim
+ Ofarim
+ Translated using Google translate, excuse errors<br>Vision: <br>Leading school teaching autism in a national level, which combines technological teaching methods and innovative treatment.<br>Purpose: <br>Implementation of individual behavioural pattern , functional, social and systemic integration will enable the students to manage different settings of life, independence and optimal quality of life.<br>School Ofarim is working to realize the cognitive abilities, emotional, social and functionality of the student in self-belief in the ability of the student.<br>Creating an educational framework which responds to therapeutic range for the varied needs of pupils with complex communication disorders and autism.<br> the acquisition and development of communication skills and Augmentative and Alternative Communication.<br> Develop skills in every day life tasks and independent capabilities of students.<br> Acquisition and development of social skills. Empowering experience of social belonging.<br> Exposing children to normative life experience as possible.<br> Finding unique ways of learning for the student despite the complex difficulties and advance purchase various learning skills.<br> Development of the unique capabilities of the students.<br> Create programs that allow a meeting or a mix of students with normal children.<br> The focus of learning, training, advice and guidance to the community and other educational frameworks for children with visual communication and autism.
+
+
+
+ https://staging.giveth.io/project/Dividendo-Voluntario-para-la-Comunidad-United-Way-Venezuela
+ Dividendo Voluntario para la Comunidad United Way Venezuela
+ Integrate efforts of the private initiative and add value to the processes of social responsibility of companies, in alliance with social development organizations, authorities and communities, in order to promote actions that improve the quality of life of people in Venezuela.
+
+
+
+ https://staging.giveth.io/project/The-Rainbow-Club-Cork
+ The Rainbow Club Cork
+ The main object for which the Company is established is to provide a support club for children and young people with Autism and their families, which focuses on ability rather than disability. The club will deliver these services in the Munster region. Services that will be provided include social and teen groups, music, art and play therapy sessions, speech and language supports as well as sports groups. Siblings will be supported through social events and workshops. Training and counselling will be facilitated for families in helping them to support their children and young people with Autism. Mentoring programmes will be provided for our young adults with Autism to help them develop life skills. These facilities will be delivered in a purpose-built centre in the Mahon area. These services will be provided by our team of trained volunteers, employees appropriately qualified professionals.
+
+
+
+ https://staging.giveth.io/project/Stichting-Studiehuis-Zuidoost
+ Stichting Studiehuis Zuidoost
+ Life Skills strives to enhance citizen participation for the youth in Amsterdam South-East. With a school-oriented method, the organisation stimulates the youth to transform to be active citizens. In this way, our scholars develop the required knowledge and skills to take control over their life, in a (social) personal and professional way.
+
+
+
+ https://staging.giveth.io/project/Roha-Media-Centre
+ Roha Media Centre
+ RMC is committed to improving the overall media working environment & the status of the independent media in Ethiopia.<br><br>We support media institutions to provide accurate, impartial, and practice conflict-sensitive journalism <br><br>We support the independent media sector so that to improve its institutional capacity<br><br>We promote responsible citizenship journalism by promoting the usage of social media for amplifying positive messages<br><br>In order to realize our objectives, we work with local & international partners in promoting democracy and freedom of expression by empowering journalists and independent media for a better Media pluralism environment.
+
+
+
+ https://staging.giveth.io/project/World-Vision-Lanka
+ World Vision Lanka
+ World Vision Lanka (WVL) is a Christian relief, development and advocacy organization dedicated to working with children, families and communities to overcome poverty and injustice. The organization serves all people, regardless of religion, race, ethnicity, or gender and has worked in Sri Lanka since 1977. Currently we serve 34 locations in 15 districts across the country. <br><br>Our approach is participatory and community driven, empowering communities to take ownership of their development journey. We select the most underdeveloped and poorest regions in the country to establish long-term, sustainable development through Area Development Programmes lasting a maximum of 15 years.<br><br>The primary goal of our programs is to promote the well-being and empowerment of children, their families and the communities they live in. Our programs focus on Education, Economic Development, Health and Nutrition, Water and Sanitation and Child Protection. Cross-cutting themes include gender equality, environmental sustainability, disability inclusion, resilience and disaster risk reduction and peace building.
+
+
+
+ https://staging.giveth.io/project/Mewem-France
+ Mewem France
+ Valoriser et accompagner lentrepreneuriat et le leadership feminin dans la filiere musicale, dans la perspective de structurer et de la renouveler dans lensemble de sa chaine de valeur avec une attention marquee pour la parite, la diversite et linclusion, ceci ayant pour objet dinteret general du secteur.<br><br>--<br><br>To promote and support female entrepreneurship and leadership in the music industry, with a view to structuring and renewing the entire value chain with a focus on parity, diversity and inclusion, in the general interest of the sector.
+
+
+
+ https://staging.giveth.io/project/Fundacio-dOncologia-Infantil-Enriqueta-Villavecchia
+ Fundacio dOncologia Infantil Enriqueta Villavecchia
+ The Enriqueta Villavecchia Private Foundation for Child Oncology, constituted in Barcelona in 1989, is a non-profit organization with charitable and welfare aims. Our goal is to provide integral care for children and youngsters with cancer or other serious diseases, and give support to their families.<br>The purpose of the Foundation is to provide integral care to children and youngsters suffering from cancer or other life limiting diseases, to ensure the support to their families, and to drive progress in aid, research and training in the field of Oncology, Hematology, Palliative Care and the attention to complex chronicity at pediatrics.
+
+
+
+ https://staging.giveth.io/project/Asbrad-Associacao-Brasileira-De-Defesa-Da-Mulher-Da-Infancia-E-Da-Juventude
+ Asbrad - Associacao Brasileira De Defesa Da Mulher, Da Infancia E Da Juventude
+
+
+
+
+ https://staging.giveth.io/project/World-Vision-Taiwan
+ World Vision Taiwan
+ World Vision is a Christian relief, development and advocacy organisation dedicated to working with children, families and communities to overcome poverty and injustice.<br><br>Inspired by our Christian values, we are dedicated to working with the worlds most vulnerable people.<br> <br>We serve all people regardless of religion, race, ethnicity or gender.<br><br>Our Vision<br>Our vision for every child, life in all its fullness;<br>Our prayer for every heart, the will to make it so.
+
+
+
+ https://staging.giveth.io/project/Kharkiv-Regional-Charity-Fund-Daruj-Dobro
+ Kharkiv Regional Charity Fund - Daruj Dobro
+ Charitable organization "Kharkiv Regional Charitable Foundation" Give Good "rearranged the system - and since the beginning of Russias war against Ukraine provides humanitarian needs of civilians. The foundation has become an effective platform that supports daily life during the war. The foundations team, led by Anatoliy Rusetsky, works around the clock with volunteers, partner organizations in Ukraine and abroad, in Europe and America.<br>Our team has one goal - peace and tranquility in their homeland, in Ukraine,
+
+
+
+ https://staging.giveth.io/project/Keshava-Kripa-Samvardhana-Samiti
+ Keshava Kripa Samvardhana Samiti
+ Abhyudaya a project for socially deprived by Keshava Kripa Samvardhana Samiti reaches out to more than 3,600 poor students, spread across remote villages and slum clusters of Bengaluru through life skills, value based education and healthcare related activities. Socially deprived children, their families and the neighbourhood become the focus group of Abhyudaya activities as education has to be imparted holistically. We believe, it is our solemn duty to educate children for the benefit of the society and country at large
+
+
+
+ https://staging.giveth.io/project/Feed-The-Children-Inc
+ Feed The Children, Inc
+ Providing hope and resources for those without lifes essentials
+
+
+
+ https://staging.giveth.io/project/Cabral-Obregon-A-C
+ Cabral Obregon, A C
+ To integrate women from San Luis Potosi, who are over 65 years old and find themselves in a vulnerable situation, into an environment of love, patience and respect. To offer a home with the appropriate facilities to serve them in a comprehensive manner, with the necessary physical rehabilitation, proper nutrition and nourishing their spirits so they might have the opportunity to regain their happiness and the tranquility of their families.
+
+
+
+ https://staging.giveth.io/project/Desarrollos-de-Ideas-Mexicanas-Dimex-AC
+ Desarrollos de Ideas Mexicanas Dimex AC
+ make an ecosystem so that children and young people have a comprehensive education on science, innovation and entrepreneurship
+
+
+
+ https://staging.giveth.io/project/AfriKids
+ AfriKids
+ AfriKids is a child rights organisation working in northern Ghana to alleviate child suffering and poverty. <br>We listen to what the community knows it needs, empower them to make the necessary changes themselves and ensure absolute sustainability.
+
+
+
+ https://staging.giveth.io/project/Fundacion-Apostolado-la-Aguja
+ Fundacion Apostolado la Aguja
+ We are a Foundation created in 1944 with a solid and humanitarian model that generates opportunities and results in housing and living conditions, to contribute to the integral development of Colombian families with limited resources through real, effective and efficient solutions.
+
+
+
+ https://staging.giveth.io/project/Joy-Foundation
+ Joy Foundation
+ To enable the disabled persons in our area through capacity building, institution development, participation, equal opportunities at every level by ensuring sensitization and education of the social on the issues of persons with Disability. <br>Give:- <br>Time <br>Talents <br>Contact <br>With Involvement of disabled to lead a full human life.
+
+
+
+ https://staging.giveth.io/project/Instituto-Nueva-Escuela
+ Instituto Nueva Escuela
+ Instituto Nueva Escuelas mission is to accompany, train and serve the communities in Puerto Rico through Montessori public education for the development of prepared beings who contribute to the common good.<br>Before 1994, the Montessori method was only accessible to wealthy families and in private schools. In just over 10 years, the INE has accompanied more than 52 public schools and communities in their educational and social transformation.
+
+
+
+ https://staging.giveth.io/project/Serendipity-Healthcare-Foundation
+ Serendipity Healthcare Foundation
+ Our mission is to improve on healthcare delivery services from the grassroots level by increased awareness of basic hygienic systems. Collaboration, Cooperation and partnership for effective development of Healthcare Delivery Systems.<br>Our goal is to see a Nigerian and ultimately African society where people have access to better healthcare systems in order to live a longer, healthier fulfilled life hence increasing life expectancy rate and thus yielding high dividends on development by 2030.
+
+
+
+ https://staging.giveth.io/project/The-Bradgate-Park-And-Swithland-Wood-Charity
+ The Bradgate Park And Swithland Wood Charity
+ To conserve, manage and maintain The Bradgate Park & Swithland Wood Country Park Estate - Leicestershires Premier Country Park - for the enjoyment, education, recreation and appreciation of visitors.
+
+
+
+ https://staging.giveth.io/project/Plateforme-HINA
+ Plateforme HINA
+ To make HINA a spokesperson the Civil Society of Madagascar by implementing advocacy actions with direct and indirect impacts on nutrition; to coordinate and strengthen the nutrition actions of civil society organizations; to promote the use of reliable and updated information on nutrition through research work; to develop multi-level and multi-sector partnerships in order to:<br>- Contribute to an national ownership of the problem and the multisectoral response to undernutrition;<br>- Increase the funding allocated to this field; <br>- Better valorize local resources and skills in favor of nutrition
+
+
+
+ https://staging.giveth.io/project/PASSIONATE-HEART-TANZANIA
+ PASSIONATE HEART TANZANIA
+ To empower communities with skills and resources to lead access to health, education, economic activities and sustainable development.
+
+
+
+ https://staging.giveth.io/project/Lung-Cancer-Research-Foundation
+ Lung Cancer Research Foundation
+ The mission of the Lung Cancer Research Foundation is to improve lung cancer outcomes by funding research for the prevention, diagnosis, treatment and cure of lung cancer.
+
+
+
+ https://staging.giveth.io/project/Charity-Foundation-Democratic-Society
+ Charity Foundation Democratic Society
+ Providing financial, material, legal and organizational assistance to individuals, in particular those in need of humanitarian and medical assistance, as well as providing assistance to organizations in the amount and in accordance with applicable law.<br> Establishment and implementation of assistance programs for children, youth and students, the elderly and victims of repression, refugees or people in financial difficulties.
+
+
+
+ https://staging.giveth.io/project/Root-Foundation
+ Root Foundation
+ In line with our long term vision which is to create a world where all vulnerable children develop their potentials and grow up to become valuable community members, Root Foundations mission is to end the root causes that push children to end up living in streets, dropping out of schools and loosing the chance to grow up in a good family.
+
+
+
+ https://staging.giveth.io/project/Friends-of-Salaam-Baalak-Trust-(UK)
+ Friends of Salaam Baalak Trust (UK)
+ Friends of Salaam Baalak Trust (UK) exists to raise funds for, and awareness about, street children in India. We work in Delhi in particular and principally by supporting the activities of the Indian NGO Salaam Baalak Trust.
+
+
+
+ https://staging.giveth.io/project/Jeunesse-en-Reconstruction-du-Monde-en-Destruction-(JRMDYRWD)
+ Jeunesse en Reconstruction du Monde en Destruction (JRMDYRWD)
+ JRMD MISSION<br><br>Our mission and objective is to restore hope to a hopeless community and nation by teaching them a new way of living, behaving and acting for peace and reconciliation through sharing Love and Compassion in Action; a new way which reduces violence and conflict; a new way which promotes justice and respect of human rights; a new way which rebuilds a broken relationship between man, his neighbor and God; a new way to resolve conflict and create an environment which fights poverty and division between the community and tribes.
+
+
+
+ https://staging.giveth.io/project/International-Registration-Systems
+ International Registration Systems
+ Animal ID is an international team of IT professionals, animal rights activists and simply people who care about animals.<br><br>Our mission is to raise the comfort of coexistence of people and animals in the world to a new, better level anytime.
+
+
+
+ https://staging.giveth.io/project/Mobile-Mini-Circus-for-Children
+ Mobile Mini Circus for Children
+ * To provide tools and methods, to create and facilitate opportunities for children and youth in developing social skills, a healthy identity, a sense of belonging to the society and in fulfilling their potential.<br> * To introduce, advocate for and promote environments and cultures that enable children and youth to grow to their full potential.<br> * To engage, share and collaborate with national and international communities and organizations, to expand, improve and enrich the methods of social circus pedagogy and its use around the world.
+
+
+
+ https://staging.giveth.io/project/American-Jewish-Joint-Distribution-Committee
+ American Jewish Joint Distribution Committee
+ JDC — the American Jewish Joint Distribution Committee or “The Joint” — is the leading Jewish humanitarian organization, working in 70 countries to lift lives and strengthen communities. We rescue Jews in danger, provide aid to vulnerable Jews, develop innovative solutions to Israel’s most complex social challenges, cultivate a Jewish future, and lead the Jewish community’s response to crises. For over 100 years, our work has put the timeless Jewish value of mutual responsibility into action, making JDC essential to the survival of millions of people and the advancement of Jewish life across the globe. For more information, please visit www.JDC.org.
+
+
+
+ https://staging.giveth.io/project/Revived-Soldiers-Ukraine
+ Revived Soldiers Ukraine
+ Help severely wounded Ukrainian soldiers and civilians with medical needs in the US and Ukraine. Rehabilitation and medical equipment purchases. Medication for military hospitals and civilian hospitals in Ukraine. Help wounded soldiers from Ukraine with housing within Ukraine and U.S. Running a rehabilitation center for paralyzed soldiers and civilians Next Step Ukraine in Irpin Kyiv region.
+
+
+
+ https://staging.giveth.io/project/The-Gathering-Place:-a-Refuge-for-Rebuilding-Lives
+ The Gathering Place: a Refuge for Rebuilding Lives
+ We are a community of safety and hope where positive relationships, choice, and essential resources transform lives.
+
+Guiding Principles:
+* We serve women, children and transgender individuals who are experiencing poverty or homelessness.
+* We believe in hope as an important change agent and hold that hope for everyone.
+* We believe deeply in the power of community and continue working to develop it.
+* Our key values include recognizing individual strengths, building respect and trust, and offering acceptance unconditionally.
+
+Note: We refer to those we serve as “members," but no fees are ever charged for our services or programs.
+
+
+
+ https://staging.giveth.io/project/THRIVE-Enrichment-Services
+ THRIVE Enrichment Services
+ The mission of THRIVE! Enrichment Services is to provide the resources, supports and interventions individuals who have Autism Spectrum Disorders (ASD) or Intellectual or Developmental Disabilities (I/DD) with comorbid challenging behaviors (CB) need to lead productive, meaningful and fulfilling lives with the greatest degrees of self-determination and independence possible. THRIVE! is determined to break down barriers to inclusion and replace them with bridges that connect people with comorbid challenging behaviors to opportunities to become valuable assets to our shared global society. THRIVE! is committed to helping individuals who have comorbid challenging behaviors realize their potential and fully participate in, contribute to and benefit from their communities.
+
+
+
+ https://staging.giveth.io/project/Stack-Up
+ Stack Up
+ Founded in 2015, Stack Up supports US and Allied veterans by promoting positive mental health and combating veteran suicide through gaming and geek culture with our four pillar programs. Supply Crates: Video game care packages full of the latest games, gear, and consoles sent to deployed units and veterans in need to raise morale, build camaraderie, combat PTSD, and fight the rising tide of veteran suicide, Air Assaults: all-expenses-paid trips to bring deserving veterans to gaming and geek culture events, The Stacks: volunteer teams engaged in veteran outreach and community betterment projects in their local areas, and finally, the Overwatch Program: 24/7 crisis intervention and peer-to-peer mental health support for veterans and civilians alike, provided through our online community.
+
+
+
+ https://staging.giveth.io/project/Outright-International
+ Outright International
+ Outright International is dedicated to working with partners around the globe to strengthen the capacity of the LGBTQ human rights movement, document and amplify human rights violations against LGBTIQ people and advocate for inclusion and equality. Founded in 1990, with staff in over a dozen countries, Outright works with the United Nations, regional human rights monitoring bodies and civil society partners. Outright holds consultative status at the United Nations where it serves as the secretariat of the UN LGBTI Core Group.
+
+
+
+ https://staging.giveth.io/project/Lavender-Rights-Project
+ Lavender Rights Project
+ Lavender Rights Project (LRP) advances a more just and equitable society by providing low-cost civil legal services and community programming centered in values of social justice for trans and queer low-income people and other marginalized communities.
+
+
+
+ https://staging.giveth.io/project/Black-Women-For-Wellness
+ Black Women For Wellness
+ Black Women for Wellness is a multi-generational, community-based organization committed to the health and well-being of Black women and girls by building healthy communities through access and development of health education, awareness, empowerment and advocacy opportunities and activities.
+
+
+
+ https://staging.giveth.io/project/Wolf-Conservation-Center
+ Wolf Conservation Center
+ The Wolf Conservation Center (WCC) is a 501(c)(3) not-for-profit environmental education organization working to protect and preserve wolves in North America through science-based education, advocacy, and participation in the federal recovery and release programs for two critically endangered wolf species - the Mexican gray wolf and red wolf.
+
+
+
+ https://staging.giveth.io/project/American-Civil-Liberties-Union-Foundation-Inc
+ American Civil Liberties Union Foundation, Inc
+ Founded in 1920, the American Civil Liberties Union (ACLU) is a nonprofit, nonpartisan, multi-issue, 1.4 million member public interest organization devoted to protecting the civil liberties of all people in the United States. Recognized as the nations premier public interest law firm, the ACLU works daily in courts, legislatures, and communities to defend and preserve the freedoms guaranteed by the U.S. Constitution and the Bill of Rights. The ACLU dares to create a more perfect union beyond one person, party, or side; our mission is to realize the promise of the United States Constitution for all and expand the reach of its guarantees.
+
+The ACLU Foundation is the 501 (c)(3) arm of the organization.
+
+
+
+ https://staging.giveth.io/project/The-Trevor-Project
+ The Trevor Project
+ The Trevor Projects mission is to end suicide among gay, lesbian, bisexual, transgender, queer, and questioning (LGBTQ) young people.
+
+We are the world’s largest suicide prevention and crisis intervention organization for LGBTQ young people. The organization works to save young lives by providing support through free and confidential suicide prevention and crisis intervention programs on platforms where young people spend their time: our 24/7 phone lifeline, chat, text. We also run TrevorSpace, the world’s largest safe space social networking site for LGBTQ youth, and operate innovative education, research, and advocacy programs.
+
+
+
+ https://staging.giveth.io/project/Planned-Parenthood-Federation-of-America-Inc
+ Planned Parenthood Federation of America, Inc
+ Planned Parenthood believes in the fundamental right of each individual, throughout the world, to manage his or her fertility, regardless of the individuals income, marital status, race, ethnicity, sexual orientation, age, national origin, or residence. We believe that respect and value for diversity in all aspects of our organization are essential to our well-being. We believe that reproductive self-determination must be voluntary and preserve the individuals right to privacy. We further believe that such self-determination will contribute to an enhancement of the quality of life, strong family relationships, and population stability.
+Based on these beliefs, and reflecting the diverse communities within which we operate, the mission of Planned Parenthood is:
+to provide comprehensive reproductive and complementary health care services in settings which preserve and protect the essential privacy and rights of each individual; to advocate public policies which guarantee these rights and ensure access to such services; to provide educational programs which enhance understanding of individual and societal implications of human sexuality; to promote research and the advancement of technology in reproductive health care and encourage understanding of their inherent bioethical, behavioral, and social implications.
+
+
+
+ https://staging.giveth.io/project/UNRWA-USA
+ UNRWA USA
+ UNRWA USA lifts up the voices, experiences, and humanity of Palestine refugees to secure American support for resources essential to every human being, for the promise of a better life.<br><br>DOUBLE YOUR IMPACT: The Giving Block is matching all donations to nonprofits dollar for dollar, and wont stop they get to $1 million. Get your crypto donations doubled today, before the matching funds run out!
+
+
+
+ https://staging.giveth.io/project/Elequa-Inc
+ Elequa Inc
+ Elequa’s mission is to empower students who want to make a difference in the world by giving them the tools to tackle real-world water issues collaboratively. Using an innovative and STEM-based curriculum, Elequa inspires K-12 students of all backgrounds to take the leap into becoming the next generation of citizen scientists and change agents.
+
+
+
+ https://staging.giveth.io/project/Bonneville-Environmental-Foundation
+ Bonneville Environmental Foundation
+ We bring together partners across all sectors of society to co-create innovative solutions that address climate challenges primarily by restoring freshwater ecosystems and catalyzing a renewable energy future for all.
+
+
+
+ https://staging.giveth.io/project/Everytown-for-Gun-Safety-Support-Fund
+ Everytown for Gun Safety Support Fund
+ The Everytown for Gun Safety Support Fund was formed both to educate the public about the detrimental effects of illegal guns in order to reduce gun violence in the United States and to lessen the burdens of government by assisting American local governments and law enforcement agencies in their efforts to develop effective policies to combat illegal guns. The Fund supports programmatic activities of approximately 1000 mayors in the coalition of Mayors Against Illegal Guns, as well as other government officials and law enforcement leaders.
+
+
+
+ https://staging.giveth.io/project/Dana-Farber-Cancer-Institute-Inc
+ Dana-Farber Cancer Institute, Inc
+ Founded in 1947, Dana-Farber Cancer Institutes mission is to provide expert, compassionate care to children and adults with cancer while advancing the understanding, diagnosis, treatment, cure and prevention of cancer and related diseases. As an affiliate of Harvard Medical School and a Comprehensive Cancer Center designated by the National Cancer Institute, the Institute also provides training for new generations of physicians and scientists, designs programs that promote public health particularly among high-risk and underserved populations and disseminates innovative patient therapies and scientific discoveries in Boston, across the United States and throughout the world.
+
+
+
+ https://staging.giveth.io/project/St-James-Infirmary
+ St James Infirmary
+ The Mission of the St. James Infirmary is to provide free, compassionate and nonjudgmental healthcare and social services for sex workers (current or former) of all genders and sexual orientations while preventing occupational illnesses and injuries through a comprehensive continuum of services.
+
+
+
+ https://staging.giveth.io/project/Hope-for-Ukraine-Inc
+ Hope for Ukraine Inc
+ Hope For Ukraine’s purpose is to bring humanitarian aid to individuals, families, children and service members throughout the country of Ukraine. Since 2016, we have been dedicated to improving the quality of life of Ukrainians in need by providing basic necessities, critical benefits and services, and programs that support long-term development and opportunities. Since the full scale invasion of Ukraine began, we have been working full-time to provide essential food, shelter, hygiene products, clothing, first aid kits, and other critical aid to internally displaced and food insecure Ukrainians. Through all of these years our purpose has remained the same: To advocate for change through action.
+
+
+
+ https://staging.giveth.io/project/SisterSong-Women-of-Color-Reproductive-Justice-Collective
+ SisterSong Women of Color Reproductive Justice Collective
+ SisterSong’s mission is to amplify and strengthen the collective voices of indigenous women and women of color to achieve Reproductive Justice (RJ) by eradicating reproductive oppression and securing human rights. RJ is the human right to maintain personal bodily autonomy, choose when and how to have children or not, and parent in safety with adequate resources. RJ centers the needs and leadership of the most marginalized and the intersections of oppressions. The first RJ organization founded to build the movement, SisterSong includes and represents Indigenous, African American, Asian and Pacific Islander, Arab and Middle Eastern, Latinx, and queer women and trans people. A top RJ thought leader, trainer, organizer, and collaboration facilitator, our focus is Southern and national.
+
+
+
+ https://staging.giveth.io/project/Amazon-Conservation-Association
+ Amazon Conservation Association
+ Amazon Conservation works to unite science, innovation, and people to protect the western Amazon – the greatest wild forest on Earth.
+
+
+
+ https://staging.giveth.io/project/California-YIMBY-Education-Fund
+ California YIMBY Education Fund
+ California YIMBY believes that an equitable California begins with abundant, secure, affordable housing. We support responsible development focused in the places people want to live in: job-rich, transit-accessible areas with good essential services and amenities. Unfortunately, building affordable, dense housing is currently illegal in the majority of California.
+
+We’re growing a statewide, grassroots movement and supporting local YIMBY organizations that advocate for more affordable housing for people of all income levels.
+By building the YIMBY movement, conducting policy research, and educating voters and legislators, we can help pass policy that could build millions of new homes in existing urban areas without displacing incumbent communities. Your donation will help us build the case and the political power to end our housing shortage and affordability crisis!
+
+Help us put California back on a path to economic prosperity and build inclusive, vibrant and livable communities for everyone!
+
+
+
+ https://staging.giveth.io/project/Center-for-Reproductive-Rights
+ Center for Reproductive Rights
+ The Center for Reproductive Rights uses the power of law to advance reproductive rights as fundamental human rights around the world. Since its founding in 1992, the Center’s game-changing litigation, legal policy, and advocacy work—combined with unparalleled expertise in constitutional, international, and comparative human rights law—has transformed how reproductive rights are understood by courts, governments, and human rights bodies.
+
+
+
+ https://staging.giveth.io/project/Dogs-Without-Borders
+ Dogs Without Borders
+ Rescue homeless dogs & find them permanent homes focusing in the Los Angeles area. <br><br>Dogs Without Borders rescues 90% of its dogs from Los Angeles kill shelters, about 5% as owner surrenders from the general public, and 5% from other lands such as Taiwan, Myanmar, Iran, and more.
+
+
+
+ https://staging.giveth.io/project/Environment-Next
+ Environment Next
+ Environment Next supports individuals, nonprofits and businesses around the world on solutions to complex climate issues. We provide leadership, outreach and communication support, grants, and investments to empower leaders and their ideas to solve our climate crisis.
+
+
+
+ https://staging.giveth.io/project/Civil-Liberties-Defense-Center
+ Civil Liberties Defense Center
+ The Civil Liberties Defense Center supports movements that seek to dismantle the political and economic structures at the root of social inequality and environmental destruction. We provide litigation, education, legal and strategic resources to strengthen and embolden their success.
+
+
+
+ https://staging.giveth.io/project/Association-for-Autism-and-Neurodiversity-Inc
+ Association for Autism and Neurodiversity, Inc
+ AANE helps Autistic and similarly Neurodivergent people build meaningful, connected lives. We provide individuals, families, and professionals with education, community, and support, in an inclusive atmosphere of validation and respect.
+
+
+
+ https://staging.giveth.io/project/CodeArt
+ CodeArt
+ Our mission is to increase the number of girls studying computer science by delighting and inspiring them with the creative possibilities of computer programming. We strive to put young women, particularly young women from underrepresented racial and ethnic groups, on track for future tech careers by providing welcoming early coding programs that focus on art, creativity and social good.
+
+
+
+ https://staging.giveth.io/project/Wolf-Trap-Animal-Rescue
+ Wolf Trap Animal Rescue
+ Wolf Trap Animal Rescue (WTAR) focuses efforts on rescuing puppies & kittens who have a high-risk of euthanasia in kill shelters . WTAR rescues animals primarily from Mississippi, where young animals are euthanized by the hundreds each and every day due to overpopulation. Lack of spay-neuter laws and large sections of rural land allow for free-roaming animals to reproduce, leading to a surplus of neglected, homeless, and starving puppies and kittens. These animals are then found and brought to local animal shelters, which simply cannot provide the care or homes these pets need in order to survive. Ultimately, they get euthanized for space or for illnesses contracted at the shelter.<br><br><br><br>WTAR rescues these pets by operating a life-saving transport, foster, and adoption program in Northern Virginia. WTAR finds the pets who need us the most by employing a full-time transport coordinator on the ground in Mississippi (WTAR South), with the goal of working directly with these shelters and communities to be a resource before they euthanize for space. Rescued animals are then scheduled and placed on emergency transport with WTAR to Northern Virginia. These transports operate weekly, relieving the shelters and communities from overcrowding and needless euthanasia. Upon arrival, they undergo an extensive veterinary intake evaluation and then are placed in foster homes until find their forever homes through private Meet & Greets.
+
+
+
+ https://staging.giveth.io/project/Innocence-Project-Inc
+ Innocence Project, Inc
+ The Innocence Projects mission is to free the staggering numbers of innocent people who remain incarcerated and to bring substantive reform to the system responsible for their unjust imprisonment.
+
+The Innocence Project is a national litigation and public policy organization dedicated to exonerating innocent
+people who are wrongfully convicted — primarily through DNA testing — and reforming the criminal legal system
+to prevent future injustice. First launched as a legal clinic in 1992 by co-founders Barry Scheck and Peter
+Neufeld at the Benjamin N. Cardozo School of Law at Yeshiva University, the Innocence Project became an independent nonprofit in 2004 and maintains an affiliation with Cardozo today.
+
+
+
+ https://staging.giveth.io/project/Korean-American-Special-Education-Center
+ Korean American Special Education Center
+ KASEC is dedicated to providing and facilitating comprehensive services for individuals within the Korean American community with developmental disabilities and mental health issues. KASEC strives to do this by helping these individuals and their families surmount any language and cultural barriers that might hinder access to services and by promoting an accurate understanding of developmental disabilities and mental health issues.
+
+
+
+ https://staging.giveth.io/project/charity:-water
+ charity: water
+ charity: water is a non-profit organization bringing clean and safe drinking water to people in developing countries.<br><br>We inspire giving and empower others to fundraise for sustainable water solutions. We use local partners on the ground to build and implement the projects. Then, we prove every single project funded, using GPS coordinates, photos and stories from the field.
+
+
+
+ https://staging.giveth.io/project/Dian-Fossey-Gorilla-Fund
+ Dian Fossey Gorilla Fund
+ Established in 1967 by famed primatologist Dian Fossey, the Dian Fossey Gorilla Fund works to protect and study wild gorillas and their habitats, and to empower people who live nearby. The Fossey Fund is the world’s longest-running and largest organization dedicated to gorilla conservation. The Fossey Fund’s people-centered approach to conservation is focused on four pillars: daily protection of individual gorillas and their families; conducting critical science needed to develop conservation strategies; training future leaders to address conservation challenges; and helping communities living near gorillas through education, livelihood, and food and water security initiatives.
+
+
+
+ https://staging.giveth.io/project/Save-the-Children-Federation-Inc
+ Save the Children Federation, Inc
+ Save the Children believes every child deserves a future. In the United States and around the world, we do whatever it takes every day and in times of crisis so children can fulfill their rights to a healthy start in life, the opportunity to learn and protection from harm. Our experts go to the hardest-to-reach places where its toughest to be a child. We ensure childrens unique needs are met and their voices are heard. Together with children, families and communities, as well as supporters the world over, we achieve lasting results for millions of children.
+
+With over 100 years of expertise, we are the worlds first and leading independent childrens organization transforming lives and the future we share.
+
+
+
+ https://staging.giveth.io/project/Midwest-Food-Bank-NFP
+ Midwest Food Bank NFP
+ As a faith-based organization, it is the mission of Midwest Food Bank to share the love of Christ by alleviating hunger and malnutrition locally and throughout the world and providing disaster relief; all without discrimination. Our vision is to provide industry-leading food relief to those in need while feeding them spiritually.
+
+
+
+ https://staging.giveth.io/project/Second-Harvest-Food-Bank-of-Greater-New-Orleans-and-Acadiana
+ Second Harvest Food Bank of Greater New Orleans and Acadiana
+ Second Harvest Food Bank leads the fight against hunger and builds food security in South Louisiana by providing food access, advocacy, education, and disaster response. One in seven people in South Louisiana is at risk of hunger. Second Harvest provides 40 million meals annually to 300,000 people in need across 23 parishes. Every $1 donation provides 3 meals to a hungry family. When you donate to Second Harvest, you help create a brighter future for our entire community.
+
+
+
+ https://staging.giveth.io/project/Mutual-Aid-Disaster-Relief
+ Mutual Aid Disaster Relief
+ Mutual Aid Disaster Relief is a grassroots network whose mission is to provide disaster relief based on the principles of solidarity, mutual aid, and autonomous direct action. By working with, listening to, and supporting impacted communities, especially their most vulnerable members, to lead their own recovery, we build long-term, sustainable and resilient communities.
+
+
+
+ https://staging.giveth.io/project/National-Network-of-Abortion-Funds
+ National Network of Abortion Funds
+ The National Network of Abortion Funds builds power with members to remove financial and logistical barriers to abortion access by centering people who have abortions and organizing at the intersections of racial, economic, and reproductive justice.
+
+
+
+ https://staging.giveth.io/project/Center-for-Transformative-Action
+ Center for Transformative Action
+ We are an alliance of individuals and organizations inspired by principles of nonviolence and committed to bold action for justice, sustainability, and peace. CTA supports change makers with the tools to build thriving, inclusive communities that work for everyone. We serve our projects, the public, and Cornell University by offering educational programs and strategic organizational resources.
+
+
+
+ https://staging.giveth.io/project/Mickaboo-Companion-Bird-Rescue
+ Mickaboo Companion Bird Rescue
+ Mickaboo was founded in 1996. Our mission is very simple: 1) To provide protection for those who, by no fault or choice of their own cannot help themselves, and depend on humans for their care. 2) To ensure the highest quality of life for our companion birds. 3)To educate the bird owning public on the most current diet, health and general care information.
+
+
+
+ https://staging.giveth.io/project/Buffalo-Bayou-Partnership
+ Buffalo Bayou Partnership
+ Established in 1986, Buffalo Bayou Partnership (BBP) is the non-profit transforming and revitalizing Buffalo Bayou, Houston’s most significant natural resource. The organization’s geographic focus is the 10-square mile stretch of the bayou that flows from Shepherd Drive, through the heart of downtown into the East End, and onto the Port of Houston Turning Basin.
+
+
+
+ https://staging.giveth.io/project/CREATE-IN-CHINATOWN-INC-(DBA-ThinkChinatown)
+ CREATE IN CHINATOWN INC (DBA ThinkChinatown)
+ THINK!CHINATOWN (T!C) is an intergenerational non-profit working from within Manhattan’s Chinatown. Our mission is to foster community through neighborhood engagement, storytelling & the arts. We believe the process of listening and reflecting develops the community cohesion and trust necessary to take on larger neighborhood issues and keep each other safe. Celebrating our histories is key to creating a safe space for our AAPI community to heal and grow collectively. We’ve built T!C to push from within our neighborhood to shape better policies and programs that define our public spaces, ensure equal access to public resources, honor our cultural heritage, and to innovate how our collective memories are represented.
+
+
+
+ https://staging.giveth.io/project/Marfa-Studio-of-Arts-Inc
+ Marfa Studio of Arts Inc
+ The Marfa Studio of Arts presents a creative studio program for the community of Marfa and the population of the surrounding area. The Studio offers classes, lectures, and a gallery open to the public as a means to expand the cultural perspective of the community.
+
+
+
+ https://staging.giveth.io/project/Mobile-Surgery-International
+ Mobile Surgery International
+ Our mission is to provide surgical care for people who live in low and middle-income countries; end needless suffering, while educating and training local staff to eradicate the backlog of neglected surgical conditions.
+
+
+
+ https://staging.giveth.io/project/Asian-Pacific-Community-Fund-of-Southern-California
+ Asian Pacific Community Fund of Southern California
+ The Asian Pacific Community Fund (APCF) transforms lives and meets the diverse needs of Asian and Pacific Islanders (APIs) throughout Los Angeles County and beyond. As the only community based fund in Southern California focused on the API community, APCF’s mission is to cultivate philanthropists to invest in organizations that empower APIs to prosper by 1) building healthier communities, 2) developing API leaders, 3) creating a stronger unified API voice, and 4) providing the foundation for a brighter tomorrow.
+
+
+
+ https://staging.giveth.io/project/Clean-Air-Task-Force-Inc
+ Clean Air Task Force Inc
+ Clean Air Task Force is a nonprofit environmental organization that works to help safeguard against the worst impacts of climate change by catalyzing the rapid global development and deployment of low carbon energy and other climate-protecting technologies through research and analysis, public advocacy leadership, and partnership with the private sector.
+
+
+
+ https://staging.giveth.io/project/WALK-Church-of-Las-Vegas-NV-Inc
+ WALK Church of Las Vegas NV, Inc
+ WALK Church is a family of diverse individuals pursuing a relationship with Jesus and living out their faith in community. We want as many people as possible to experience the freedom we have found in Christ and it’s our joy to point people to Him. As you get to know us, it’s our prayer that you get to know Him. Let’s walk this journey together!
+
+
+
+ https://staging.giveth.io/project/Open-Source-Election-Technology-Institute
+ Open Source Election Technology Institute
+ The OSET (“Oh-Set”) Institute is chartered with research & development in public election technology innovation. The Institute’s flagship effort, the TrustTheVote Project is developing a publicly-owned higher integrity, lower cost, easier to use election administration platform freely available for any state to adapt and deploy. There is serious lack of innovation in election technology causing persistent issues of verifiability, accuracy, security, and transparency, as well as accessibility, ease and convenience for voters. The Project works closely with election officials worldwide. OSET is innovating all aspects of election systems from voter registration to ballot design & generation, poll books, casting, counting, results reporting and audit.
+
+
+
+ https://staging.giveth.io/project/GiveDirectly-Inc
+ GiveDirectly, Inc
+ GiveDirectlys mission is to reshape international giving, making unconditional, direct cash transfers to the poor the benchmark against which other interventions are evaluated. We believe the best way of achieving this mission is by maximizing cash delivered to the poor, with the ultimate aim of ending extreme poverty. <br><br>
+
+In the last decade, GiveDirectly has delivered $662M+ to over 1.48 million people across fourteen countries. We currently have operations in DRC, Kenya, Liberia, Nigeria, Malawi, Mozambique, Morocco, Nigeria, Rwanda, Uganda, USA, & Yemen.
+<br><br>
+In addition to basic income and poverty alleviation programs GiveDirectly also provides payments to aid in short term relief from climate disaster, crisis, conflict, and other emergency contexts. Additionally, GiveDirectly runs "Cash+" programs. The programs combine cash payments with a complementary intervention, such as education, training, or health services, run in partnership in partnership with NGOs who deliver the complementary interventions.
+
+
+
+ https://staging.giveth.io/project/Information-Technology-and-Innovation-Foundation
+ Information Technology and Innovation Foundation
+ As technological innovation transforms the global economy and society, policymakers often lack the specialized knowledge and informed perspective necessary to evaluate and respond to fast-moving issues and circumstances. What should they do to capitalize on new opportunities, overcome challenges, and avoid potential pitfalls? The Information Technology and Innovation Foundation (ITIF) exists to provide answers and point the way forward.
+
+Founded in 2006, ITIF is an independent 501(c)(3) nonprofit, nonpartisan research and educational institute—a think tank—whose mission is to formulate, evaluate, and promote policy solutions that accelerate innovation and boost productivity to spur growth, opportunity, and progress. ITIFs goal is to provide policymakers around the world with high-quality information, analysis, and recommendations they can trust. To that end, ITIF adheres to a high standard of research integrity with an internal code of ethics grounded in the core values of analytical rigor, policy pragmatism, and independence from external direction or bias.
+
+
+
+ https://staging.giveth.io/project/Rainbow-Railroad-USA-Inc
+ Rainbow Railroad USA, Inc
+ We help LGBTQI people around the world who are facing extreme violence and state-sponsored persecution, find a path to freedom. Our ultimate goal is a world free of persecution, and we stand in solidarity with activists and organizations working towards that goal. However, until that day comes, we need to be able to provide solutions for individuals facing imminent danger.
+
+
+
+ https://staging.giveth.io/project/Environmental-Defense-Fund-Inc
+ Environmental Defense Fund Inc
+ Environmental Defense Funds mission is to build a vital Earth. For everyone.
+By leveraging our deep expertise in science and economics, EDF delivers bold, game-changing solutions to address the biggest challenge of our time — climate change.
+We work to stabilize the climate, strengthen the ability of people and nature to thrive and support peoples health. Working in more than 30 countries, we focus on the areas where we can make the biggest impact. From slashing pollution from transportation around the world, to slowing the warming were experiencing now by cutting methane pollution, to bolstering natures own capacity to stabilize the climate.
+
+
+
+ https://staging.giveth.io/project/ArtServe-Inc
+ ArtServe, Inc
+ Empowering artists and supporting creative programs that operate at the intersection of art and social impact. <br><br>Our work includes: <br>• Support and resources for artists to incubate and implement working business models that contribute to the area’s economic and cultural vitality <br>• Arts education, integration and outreach initiatives that respond to opportunity gaps in academic, economic and socio-emotional arenas <br>• The presentation of all art forms to enhance community appreciation for diversity and inclusion <br>• Arts advocacy and data sharing that continually informs the community-at-large about the function of the arts as a valid catalyst for social change
+
+
+
+ https://staging.giveth.io/project/Institute-for-Nonprofit-News
+ Institute for Nonprofit News
+ The Institute for Nonprofit News is a member network of more than 350 news media, all nonprofit, nonpartisan and dedicated to public service.
+INN’s vision is to build a nonprofit news network that ensures all people in every community have access to trusted news. To that end, we pursue our mission of providing education and business support services to our nonprofit member organizations and promoting the value and benefit of public-service and investigative journalism.
+
+
+
+ https://staging.giveth.io/project/Accion-International
+ Accion International
+ Accion International is a global nonprofit committed to creating a financially inclusive world, with a trailblazing legacy in microfinance and fintech impact investing. We catalyze financial service providers to deliver high-quality, affordable solutions at scale for the 1.8 billion people who are left out of — or poorly served by — the financial sector. For more than 60 years, Accion has helped tens of millions of people through our work with more than 200 partners in 63 countries. . Accion receives philanthropic support from individuals, institutions and the public sector, both in the United States and globally. We work across a broad base of corporate and private foundation partners including Mastercard, Credit Suisse, FMO, Bill and Melinda Gates, MetLife, and Citi Foundations. In addition, we work with individual impact investors, philanthropic donors and the public sector to carry out our important and increasingly urgent mission.
+
+
+
+ https://staging.giveth.io/project/Chinese-for-Affirmative-Action
+ Chinese for Affirmative Action
+ CAA was founded in 1969 to protect the civil and political rights of Chinese Americans and to advance multiracial democracy in the United States. Today, CAA is a progressive voice in and on behalf of the broader Asian and Pacific American community. We advocate for systemic change that protects immigrant rights, promotes language diversity, and remedies racial injustice.
+
+
+
+ https://staging.giveth.io/project/The-Committee-to-Protect-Journalists-Inc
+ The Committee to Protect Journalists, Inc
+ The Committee to Protect Journalists (CPJ) promotes press freedom worldwide and defends the right of journalists to report the news safely and without fear of reprisal.
+
+Why do we protect journalists? Journalism plays a vital role in the balance of power between a government and its people. When a countrys journalists are silenced, its people are silenced. By protecting journalists, CPJ protects freedom of expression and democracy.
+
+When journalists cant speak, we speak up.
+
+
+
+ https://staging.giveth.io/project/KABOOM
+ KABOOM
+ We unite with communities to build kid-designed playspaces that can spark joy and foster a sense of belonging for the kids who are often denied opportunities to thrive. Our mission is to end playspace inequity for good.
+
+
+
+ https://staging.giveth.io/project/Selah-Freedom
+ Selah Freedom
+ Selah Freedom is a nonprofit organization with programs based in Florida and the Midwest, with the mission to end sex trafficking and bring freedom to the exploited through five strong programs: Awareness, Prevention, Outreach, Residential, and our Consulting team.
+
+87% of survivor graduates of our Residential & Outreach Programs do not return to "the life.
+
+
+
+ https://staging.giveth.io/project/Saisei-Foundation
+ Saisei Foundation
+ The Saisei Foundation is a non-profit private foundation that funds cutting-edge scientific research and other initiatives related to psychedelic medicine, mental health therapeutics, life-extension technologies, ecosystem conservation, and more. The Saisei Foundation was created by Tim Ferriss.
+<br><br>
+Past grants and success stories include many firsts -- psilocybin for treatment-resistant depression, phase III clinical trials for MDMA-assisted psychotherapy for PTSD, the first dedicated psychedelic research center in the world (Imperial College London), the first dedicated psychedelic research center in United States (Johns Hopkins Medicine), the Harvard Law Project on Psychedelics Law and Regulation (POPLAR), The Ferriss – UC Berkeley Psychedelic Journalism Fellowship (overseen by Michael Pollan), and more. The above have led to study publications in leading journals (e.g., The Lancet, NEJM) and media coverage (NYT, WSJ, GQ, and dozens more) around the world.
+<br><br>
+Donations will be used to further the above and pursue exciting new high-leverage bets in multiple fields.
+<br><br>
+Donation receipts are automatically generated for donors as soon as the transaction completes.
+
+
+
+ https://staging.giveth.io/project/St-Jude-Childrens-Research-Hospital
+ St Jude Childrens Research Hospital
+ The mission of St. Jude Children’s Research Hospital is to advance cures, and means of prevention, for pediatric catastrophic diseases through research and treatment. Consistent with the vision of our founder Danny Thomas, no child is denied treatment based on race, religion or a familys ability to pay. Families never receive a bill from St. Jude for treatment, travel, housing or food – so they can focus on helping their child live.
+
+
+
+ https://staging.giveth.io/project/Liberty-Ukraine-Foundation
+ Liberty Ukraine Foundation
+ Our main focus is to save lives on the frontlines and help children overcome war trauma. We fundraise for causes that range from purchasing protective gear for rescue workers to physical therapy for wounded civilians, servicemen, and women.
+We are a team of professionals and cultural workers who came together to help Ukrainians defend their freedom and survive a brutal war Russia started against Ukraine. We have no salaried personnel and rely on an extensive network of volunteers in the U.S. and Europe.
+
+
+
+ https://staging.giveth.io/project/DHARAMSALA-ANIMAL-RESCUE
+ DHARAMSALA ANIMAL RESCUE
+ Our mission is to end the human/street dog conflict by creating a humane and sustainable environment for animals with direct benefits to the people of Dharamsala, India.
+What do we do?
+We provide several key programs to achieve our goals: spay/neuter, rabies vaccination, rescue and adoption, street animal feeding, and community education for rabies safety and compassion.
+
+
+
+ https://staging.giveth.io/project/Social-Good-Fund
+ Social Good Fund
+ SocialGood works to create and establish positive influences for individuals, communities, and the environment. Our goal is to sponsor and develop projects that will help positively impact and develop local communities into healthier and happier places to live, work, and be.
+
+
+
+ https://staging.giveth.io/project/Over-and-Above-Africa-Foundation
+ Over and Above Africa Foundation
+ Over and Above Africa was created after Founder, Kerry David attended a Los Angeles fundraiser for elephants that outlined the total devastation poaching and the human/animal conflict (population growth pushing animals into smaller and smaller areas) is having on Africas vulnerable wildlife. The presentation was informative and beautiful, it had been filmed from a drone flying high over Africas unique landscape effectively protecting the animals below - thats how we got our name "Over and Above Africa" but the visuals were devastating. As an animal advocate, she had no idea how dire the situation was but was struck by the idea that raising global funds through micro financing to support the people and organizations she had met while researching in Africa could be of great service. What makes us unique is that we then film the funds we donate to each project and create mini-documentaries for you, our Over and Above Family. We feel this is something that empowers our donors and members to share with friends and family to further the message that these animals and communities need our help.<br><br>Over and Above Africa’s team share a mutual vision that many of the challenges these animals face can be addressed with a global communitys awareness and involvement
+
+
+
+ https://staging.giveth.io/project/Union-of-Concerned-Scientists-Inc
+ Union of Concerned Scientists, Inc
+ The Union of Concerned Scientists puts rigorous, independent science into action, developing solutions and advocating for a healthy, safe, and just future.
+
+
+
+ https://staging.giveth.io/project/Long-Island-Cares-Inc
+ Long Island Cares, Inc
+ Long Island Cares Inc. ® brings together all available resources for the benefit of the hungry and food insecure on Long Island and, to the best of our ability, provides for the humanitarian needs of our community. Our goals are to improve food security for families, sponsor programs that help families achieve self-sufficiency, and educate the general public about the causes and consequences of hunger on Long Island. Our vision is “A Hunger Free Long Island”.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Marfa-Public-Library
+ Friends of the Marfa Public Library
+ The Marfa Public Library will provide members of and visitors to the community a relevant and diverse collection in a variety of formats. The Marfa Public Library will promote lifelong learning in the community through outreach projects and collaborations with other civic organizations in an atmosphere that promotes literacy, fosters exploration and the free exchange of ideas, and provides opportunities to engage with others. The Marfa Public Library began in 1947 when the Marfa Lions Club and the Marfa Study Club agreed to establish a library for the citizens of the area. E.K. Beanland, a local businessman, headed the Lions Club. His wife, Mary Livingston Beanland, was president of the Study Club. Housed in the historic U.S.O. building, the books were donated by local residents. For the first eight months, volunteers were in charge of the fledgling operation.
+
+
+
+ https://staging.giveth.io/project/Syrian-American-Medical-Society-Foundation
+ Syrian American Medical Society Foundation
+ SAMS is a global medical relief organization that is working on the front lines of crisis relief in Syria and beyond to save lives and alleviate suffering. SAMS proudly provides dignified medical care to every patient in need. Our mission is dedicated to delivering life-saving services, revitalizing health systems during crises, and promoting medical education via a network of humanitarians in Syria, the US, and beyond. Our vision is to strengthen the future of Syrias healthcare, delivering dignified medical relief where needed, fortified by a dedicated medical community.
+
+
+
+ https://staging.giveth.io/project/St-Jude-Childrens-Research-Hospital-2
+ St Jude Childrens Research Hospital 2
+ St. Jude Children’s Research Hospital is leading the way the world understands, treats and defeats childhood cancer and other life-threatening diseases. Our purpose is clear: Finding cures. Saving children.®<br><br>We are the only National Cancer Institute-designated Comprehensive Cancer Center devoted solely to children. Treatments invented at St. Jude have helped push the overall childhood cancer survival rate from 20 percent to more than 80 percent since we opened more than 50 years ago. And we won’t stop until no child dies from cancer.<br><br>Families never receive a bill from St. Jude for treatment, travel, housing or food – because all a family should worry about is helping their child live.
+
+
+
+ https://staging.giveth.io/project/Tobaccofree-Earth
+ Tobaccofree Earth
+ Tobaccofree Earths mission is to motivate youth to stay vape and tobaccofree, and to empower nicotine users to quit. Best known for its international vaping and smoking prevention campaign, the website also offers daily tobacco news thats searchable on any topic going back for decades. The website provides free support to smokers seeking to quit.
+
+
+
+ https://staging.giveth.io/project/DivInc
+ DivInc
+ We’re on a mission to generate social and economic equity through entrepreneurship. By staying laser-focused on building programs and infrastructure that remove barriers to entrepreneurship, we enable women, Black, and Latinx founders to build viable tech startups.
+
+
+
+ https://staging.giveth.io/project/Coral-Restoration-Foundation-Inc
+ Coral Restoration Foundation Inc
+ Coral Restoration Foundation™ (CRF) is the world’s largest non-profit marine conservation organization dedicated to restoring coral reefs to a healthy state, in Florida as well as globally.
+
+Headquartered in the Florida Keys, CRF was incorporated in 2007 in response to the widespread loss of the dominant coral species on the Floridas Coral Reef, the third largest barrier reef in the world. CRF’s core mission is to restore coral reefs, to educate others on the importance of our oceans, and to use science to further coral research and coral reef monitoring techniques.
+
+Large-scale and massive action is required to save our reefs. After more than a decade of successful outplanting throughout the Florida Keys, CRF has proven that this is possible.
+
+
+
+ https://staging.giveth.io/project/Black-and-Pink-Inc
+ Black and Pink Inc
+ Black & Pink is a national prison abolitionist organization dedicated to dismantling the criminal punishment system and the harms caused to LGBTQ+ people and people living with HIV/AIDS who are affected by the system through advocacy, support, and organizing.
+
+
+
+ https://staging.giveth.io/project/Make-A-Wish-Foundation-of-New-Jersey
+ Make-A-Wish Foundation of New Jersey
+ Each day Make-A-Wish® New Jersey creates life-changing wishes for children battling critical illnesses in the Garden State. We believe that a wish experience can be a game-changer. This one belief guides us in everything we do. It inspires us to grant wishes that change the lives of the kids we serve.
+
+
+
+ https://staging.giveth.io/project/Shirley-Proctor-Puller-Foundation
+ Shirley Proctor Puller Foundation
+ Our mission is to advance literacy and help close the achievement gap in South St. Petersburg, FL. SPPF was created in 2014 by the family of the late Shirley Proctor Puller, a local teacher and literacy champion. We strive to provide educational services to underserved children in this at-risk community of Pinellas County. Our goal is to offset the effects of poverty and to help reverse the poor educational outcomes occurring today. The Core Program combines literacy and STEAM initiatives and is delivered during OOS times namely summer and after-school. Our mission is to advance literacy and close the achievement gap for students in South St. Petersburg. We believe that in doing this, we can significantly impact the future trajectory of the overall community and the city.
+
+
+
+ https://staging.giveth.io/project/Jewish-Fertility-Foundation-Inc
+ Jewish Fertility Foundation Inc
+ VISION: All who aspire to build a family can realize their dream.
+MISSION: The Jewish Fertility Foundation (JFF) engages hopeful parents by providing financial assistance, emotional support, and infertility education to those struggling to build their families.
+
+
+
+ https://staging.giveth.io/project/The-GroundTruth-Project-Inc
+ The GroundTruth Project, Inc
+ THE GROUNDTRUTH PROJECT is an award-winning, independent, nonpartisan, nonprofit news organization dedicated to supporting the next generation of journalists in the U.S. and around the world.
+
+Our mission is to serve under-covered communities by supporting the next generation of journalists to do on-the-ground reporting and to advance sustainability, innovation and equity in journalism worldwide.
+
+In 2017, GroundTruth launched Report for America, a national service program that places talented emerging journalists in local newsrooms to report on under-covered issues and communities. And in 2021, we launched Report for the World.
+
+
+
+ https://staging.giveth.io/project/Apex-for-Youth-Inc
+ Apex for Youth Inc
+ Apex for Youth empowers underserved Asian and immigrant youth from low-income families in NYC to help them unlock their potential and a world of possibility. Our volunteers support and mentor youth, building the next generation of tomorrow’s change makers. We are in active pursuit of a more equitable future.
+
+
+
+ https://staging.giveth.io/project/Artlink-Inc
+ Artlink Inc
+ Artlink keeps the arts integral to our development by connecting artists, businesses and the community. Founded as a 501(c)(3) nonprofit organization by artists in 1989, the Artlink name is a guiding principle for the organization, as it supports stakeholders of the arts and culture community, amplifying its collective strength.
+
+
+
+ https://staging.giveth.io/project/Elevate-Life-Church
+ Elevate Life Church
+ Elevate Life Church has a physical location in Frisco and also offers outreach programs, youth and childrens ministries, and community service opportunities. The churchs mission is to "reach people, build lives, and elevate Christ" through worship, teaching, and service.
+
+
+
+ https://staging.giveth.io/project/Alveus-Sanctuary
+ Alveus Sanctuary
+ The mission of Alveus is to inspire online audiences to engage in conservation efforts by creating content that teaches them to fall in love with a myriad of species represented by non-releasable animal ambassadors.
+
+
+
+ https://staging.giveth.io/project/Processing-Foundation
+ Processing Foundation
+ To promote software literacy within the visual arts, and visual literacy within technology-related fields — and to make these fields accessible to diverse communities. Our goal is to empower people of all interests and backgrounds to learn how to program and make creative work with code, especially those who might not otherwise have access to these tools and resources.
+
+
+
+ https://staging.giveth.io/project/Bonnie-Brae
+ Bonnie Brae
+ Empowering youth and families to achieve small victories every day through comprehensive care and education.. Bonnie Brae donors are philanthropically minded individuals who have a passion for and desire to support historically under-served youth who have been traumatized, neglected and abuse. Their desire is to support youth ages 12+-21 heal, learn and grow.
+
+
+
+ https://staging.giveth.io/project/Helene-Wurlitzer-Foundation-of-New-Mexico
+ Helene Wurlitzer Foundation of New Mexico
+ The Foundation’s mission is to “Support the artist and the creative process” and serves as a haven for visual artists, literary artists and music composers.Founded in 1954, the HWF manages one of the oldest artist residency programs in the USA. The Helene Wurlitzer Foundation is located on fifteen acres in the heart of Taos, New Mexico, a multicultural community renowned for its popularity with artists.The Helene Wurlitzer Foundation of New Mexico (HWF) is a private, 501(c)(3) non-profit, educational and charitable organization committed to supporting the arts.
+
+
+
+ https://staging.giveth.io/project/The-Brigid-Alliance
+ The Brigid Alliance
+ The Brigid Alliance is a nationwide practical support organization that arranges and funds transportation and other logistical support for individuals who must travel long distances for abortion care. In close partnership with a trusted network of organizations and providers, we work to close the gap between the right to an abortion and the ability to access one.
+
+Launched in August 2018, The Brigid Alliance helps on average 75+ clients each month from across the United States. Our team creates detailed itineraries for clients to reach, receive care, and safely return home from specialist providers in NY, MD, VA, NM, CO, and Washington, D.C. We also work in solidarity with organizations and individuals to meet needs that extend beyond our scope when and where possible.
+
+
+
+ https://staging.giveth.io/project/New-Heights-Youth-Inc
+ New Heights Youth Inc
+ New Heights is a sports-based youth development organization that combines basketball programming with academic support, social-emotional learning, college prep and career readiness services.<br><br>Our mission is to educate and empower promising underserved youth to be leaders, champions and student-athletes by developing the skills necessary for success in high school, college and life.
+
+
+
+ https://staging.giveth.io/project/Jewish-Graduate-Student-Initiative-Inc
+ Jewish Graduate Student Initiative Inc
+ Our mission is to support Jewish life on graduate school campuses and to connect Jewish graduate students, alumni, and young professionals to their heritage and the greater Jewish community. Our dynamic, multidisciplinary programs are designed to instill the Jewish values of ethical leadership, lifelong learning, and communal responsibility in an atmosphere of open inquiry and mutual respect, in order to shape the next generation of Jewish and professional community leaders.
+
+
+
+ https://staging.giveth.io/project/The-Nature-Conservancy
+ The Nature Conservancy
+ The mission of The Nature Conservancy (TNC) is to conserve the lands and waters on which all life depends. Our vision is a world where the diversity of life thrives, and people act to conserve nature for its own sake and its ability to fulfill our needs and enrich our lives. How do we achieve this? Through the dedicated efforts of our diverse staff and over 400 scientists, we impact conservation in 76 countries and territories: 37 by direct conservation impact and 39 through partners. With the help of many partners, from individuals and governments to nonprofits and corporations, to Indigenous Peoples and local communities around the world, we use a collaborative approach and pursue our ambitious 2030 Goals. Thats how TNC has forged new paths for conservation since our founding in 1951.
+
+
+
+ https://staging.giveth.io/project/The-Young-Mens-Christian-Association-of-the-Triangle-Area-Inc
+ The Young Mens Christian Association of the Triangle Area, Inc
+ For over 165 years, the YMCA of the Triangle has strengthened the very foundations of the community we serve. We’re proud of our diverse community and are passionate about being a positive force for good. <br> <br>
+
+We serve people from all walks of life in the Triangle area through YMCA memberships and programs.
+
+
+The YMCA of the Triangle is a 501(c)3 nonprofit governed by a local board of volunteer directors.
+
+<br> <br>
+OUR PURPOSE <br> <br>
+
+Were committed to nurturing the potential of children through Youth Development, improving the nation’s health and well-being by promoting Healthy Living, and fostering a sense of Social Responsibility by providing opportunities to give back and support neighbors.
+<br> <br>
+
+OUR MISSION
+<br> <br>
+
+Our Mission is to put Christian principles into practice through programs that build healthy spirit, mind and body for all.
+<br> <br>
+
+Our Mission compels us to embrace, reflect and celebrate the richness of diversity within each other and the many communities we serve. In that Christian principles are caring and inclusive, we are respectful of various expressions of faith and serve families and individuals from all traditions, backgrounds and perspectives. Together, we work to ensure that everyone, has the opportunity to reach their full potential with dignity at our YMCA.
+
+
+
+ https://staging.giveth.io/project/Women-for-Afghan-Women
+ Women for Afghan Women
+ Women for Afghan Women (WAW) is a grassroots civil society organization dedicated to protecting and promoting the rights of disenfranchised Afghan women and girls in Afghanistan and New York. In particular, WAW works to help Afghan women and girls exercise their rights to pursue their individual potential, to self-determination, and to representation in all areas of life.<br> <br> WAW relentlessly advocates for women’s rights and challenges the norms that underpin gender-based violence to influence attitudes and bring about change.
+
+
+
+ https://staging.giveth.io/project/Canada-Ukraine-Foundation
+ Canada - Ukraine Foundation
+ Our organization has years of experience in providing charitable aid in both Canada and Ukraine. Based in Toronto, our team is ready to answer any questions and inquiries you may have, both locally and remotely. To learn more about how The Canada-Ukraine Foundation conducts its work, or what we’re working on now, contact us today by email at info@cufoundation.ca
+
+
+
+ https://staging.giveth.io/project/Hands-of-The-Carpenter
+ Hands of The Carpenter
+ Hands offers hope to single women with dependent children, while providing automobile services, partnering in their efforts to remain employed and to strive toward economic self-sufficiency.
+
+
+
+ https://staging.giveth.io/project/The-Option-Institute-and-Fellowship-(dba-Autism-Treatment-Center-of-America)
+ The Option Institute and Fellowship (dba Autism Treatment Center of America)
+ The Option Institute® & Autism Treatment Center of America® is a 501 (c) 3 nonprofit organization dedicated to providing families who have children challenged by autism to realize their maximum potential, and to live truly happy and fulfilling lives, through a highly effective and innovative home based methodology (The Son-Rise Program® )designed to foster continuous growth, independence, and social interaction. We believe that all children and adults on the autism spectrum are capable of limitless growth and change, regardless of the prognosis theyve been given. We believe in putting the power and the tools in the hands of the parents, whose love of their child, dedication to helping their child, and experience with their child is unmatched. Equally important is our commitment to deliver educational courses designed to enable people to overcome life challenges and experience more happiness and fulfillment in their relationships, careers, health, and family dynamics. Our programs serve a worldwide clientele of individuals, couples, businesses, families and groups from all ethnic and cultural backgrounds.
+
+
+
+ https://staging.giveth.io/project/World-Central-Kitchen-Inc
+ World Central Kitchen, Inc
+ Founded in 2010 by Chef José Andrés, World Central Kitchen (WCK) is first to the frontlines providing fresh meals in response to crises. Applying our model of quick action, leveraging local resources, and adapting in real time, WCK has served hundreds of millions nourishing meals around the world.
+
+When disaster strikes, WCK’s Relief Team mobilizes with the urgency of now to start cooking meals for people in need. WCK serves comforting meals to survivors of disasters quickly by partnering with organizations on the ground and activating a network of local restaurants, food trucks, or kitchens. To support regional economies, WCK prioritizes purchasing local ingredients to cook with or distribute. Food provides not only nourishment, but also comfort and hope, especially in times of crisis.
+
+
+
+ https://staging.giveth.io/project/Center-for-Effective-Philanthropy
+ Center for Effective Philanthropy
+ CEP provides data, feedback, programs, and insights to help individual and institutional donors improve their effectiveness. We do this work because we believe effective donors, working collaboratively and thoughtfully, can profoundly contribute to creating a better and more just world.
+
+
+
+ https://staging.giveth.io/project/Callisto
+ Callisto
+ Callisto is a national nonprofit that leverages cutting-edge technology to empower survivors of sexual assault, provide a safe alternative to reporting, and increase the likelihood that repeat offenders will be held accountable. Our encrypted platform, Callisto Vault, enables survivors to safely document an assault and/or match with others harmed by the same perpetrator, whether or not they report. <br><br> Every college student, staff, and faculty member in the U.S. has FREE access to Callisto Vault with their .edu email. That means ALL campus survivors nationwide can now securely document an assault and/or match with others harmed by the same perpetrator...whether or not they report. <br><br> Learn more at <a href="https://www.projectcallisto.org/">Project Callisto</a>
+
+
+
+ https://staging.giveth.io/project/Hudson-River-Park-Friends
+ Hudson River Park Friends
+ Hudson River Park Friends creates opportunities for private contributions to and participation in the Park’s operations and growth to guarantee its future for generations of New Yorkers, Americans and visitors from around the world.
+
+
+
+ https://staging.giveth.io/project/WhyHunger-Inc
+ WhyHunger Inc
+ WhyHunger believes a world without hunger is possible. We provide critical resources to support grassroots movements and fuel community solutions rooted in social, environmental, racial and economic justice. We are working to end hunger and advance the human right to nutritious food in the U.S. and around the world.
+
+
+
+ https://staging.giveth.io/project/La-Casa-De-Las-Madres
+ La Casa De Las Madres
+ La Casa de las Madres responds to calls for help from domestic violence victims, of all ages 24 hours a day, 365 days a year. We give survivors the tools to transform their lives. We seek to prevent future violence by educating the community and by redefining public perceptions about domestic violence.
+
+
+
+ https://staging.giveth.io/project/Build-Soil
+ Build Soil
+ After a lifetime with interest in growing plants I moved from California to Colorado. When I moved inland, one of the first goals was to start a home garden. It all started with a desire to be self sufficient. After a few years all my friends wanted to know what kinda secret nutrients I was using or magic bottled spray I was hiding. When I kept telling them that I had built a worm bin and was using aged compost along with earth worm castings they thought I was crazy.
+
+
+
+ https://staging.giveth.io/project/No-Greater-Love-Rescue
+ No Greater Love Rescue
+ We are an animal rescue working on the front lines in the Deep South to save dogs and cats from euthanasia in our shelters. We also take on animals from our and the surrounding areas that are injured, abused, and abandoned. We provide them with the food, shelter, and medical care they need until they can find their forever homes.
+
+
+
+ https://staging.giveth.io/project/Zaman-International
+ Zaman International
+ Zaman is committed to facilitating change and advancing the lives of marginalized women and children, by enabling them to meet essential needs common to all humankind.
+
+
+
+ https://staging.giveth.io/project/Project-South-the-Institution-for-the-Elimination-Poverty-Genocide
+ Project South the Institution for the Elimination Poverty Genocide
+ Project South was founded as the Institute to Eliminate Poverty & Genocide in 1986. Our work is rooted in the legacy of the Southern Freedom Movement, and our mission of cultivating strong social movements in the South powerful enough to contend with some of the most pressing and complicated social, economic, and political problems we face today.
+
+Three Strategic Directions guide Project South’s work:
+
+1. Neighborhood Organizing to Grow Community Power
+2. Movement Organizing to Grow Regional Power
+3. Movement Support to Grow Grassroots Leadership
+
+
+
+ https://staging.giveth.io/project/Jane-Goodall-Institute-for-Wildlife-Research-Education-Conservation
+ Jane Goodall Institute for Wildlife Research Education Conservation
+ The Jane Goodall Institute (JGI) is a global nonprofit focused on inspiring individual action to improve the understanding, welfare and conservation of great apes and to safeguard the planet we all share. Our mission is based in Dr. Jane Goodalls belief that the well-being of our world relies on people taking an active interest in all living things.
+
+
+
+ https://staging.giveth.io/project/Special-Forces-Sports-Foundation
+ Special Forces Sports Foundation
+ The Special Forces Sports Foundation’s mission is to provide children with special needs much-needed physical activity and inclusive social interaction while also building compassion and empathy in youth/collegiate athletes.
+
+
+
+ https://staging.giveth.io/project/GiveWell
+ GiveWell
+ GiveWell is a nonprofit dedicated to finding outstanding giving opportunities and publishing the full details of our analysis to help donors decide where to give.
+
+Unlike charity evaluators that focus solely on financials, assessing administrative or fundraising costs, we conduct in-depth research aiming to determine how much good a given program accomplishes (in terms of lives saved, lives improved, etc.) per dollar spent. Rather than trying to rate as many charities as possible, GiveWell focuses on the few charities that stand out most in order to find and confidently recommend high-impact giving opportunities.
+
+
+
+ https://staging.giveth.io/project/Good-Hope-Equestrian-Regenerative-Farm-Inc
+ Good Hope Equestrian Regenerative Farm, Inc
+ The mission of Good Hope is to provide quality equine assisted, regenerative farming practices, and organically grown food distribution to children, youth, and adults with and without disabilities to enhance their independence, personal potential, and quality of life. Using the horse as its tool and its 270-acre facility as its classroom, GHERF is committed to developing quality equine and regenerative farming program services to meet the educational, vocational, recreational, and rehabilitative needs of the community. The goal of each program is to build upon the unique gifts of each individual, enabling them to successfully improve their body, mind, and spirit through the healing powers of the horse and the knowledge and application of healthy living through regenerative farming practices.
+
+
+
+ https://staging.giveth.io/project/Creative-Visions-Foundation
+ Creative Visions Foundation
+ Creative Visions Foundation supports media makers in raising awareness about important global issues helping them reach a wider audience and create positive change in the world.
+
+
+
+ https://staging.giveth.io/project/Anita-Borg-Institute-For-Women-And-Technology
+ Anita Borg Institute For Women And Technology
+ At AnitaB.org, we envision a future where the people who imagine and build technology mirror the people and societies for whom they build it. We connect, inspire, and guide women and non-binary technologists in computing, and organizations that view technology innovation as a strategic imperative.<br><br>Our social enterprise supports women and non-binary individuals in technical fields, as well as the organizations that employ them and the academic institutions training the next generation. A full roster of programs help women grow, learn, and develop their highest potential.
+
+
+
+ https://staging.giveth.io/project/Just-Like-You-Inc
+ Just Like You Inc
+ ust Like You Films is a Mid-American Emmy award winning 501(c)(3) nonprofit film production company and our mission is to raise a global generation of kids who because of their knowledge and understanding are more empathetic and compassionate people. In 2017, Just Like You - Facial Anomalies received theatrical distribution through AMC Theatres in over 200 theaters nationwide in a bundle with the feature film, Wonder qualifying it for an Oscar. Trailer https://vimeo.com/user11921161/wwwjustlikeyouandamctheatres This film was produced in partnership with Operation Smile, the Waner Children’s Vascular Anomaly Foundation and the Hannah Storm Foundation. Our films have been viewed on the Just Like You Films youtube channel over three quarters of a million times in 120 different countries
+
+
+
+ https://staging.giveth.io/project/URGE-Unite-for-Reproductive-Gender-Equity
+ URGE Unite for Reproductive Gender Equity
+ URGE envisions a liberated world where we can live with justice, love freely, express our gender and sexuality, and define and create families of our choosing. To achieve our vision of liberation, URGE builds power and sustains a young people’s movement for reproductive justice by centering the leadership of young people of color who are women, queer, trans, nonbinary, and people of low-income.As a state-driven national organization, URGE organizes our communities, provides a political home for young people, advocates for meaningful policy change, and shifts culture, working in states where the challenges and opportunities are greatest.
+
+
+
+ https://staging.giveth.io/project/LGBTQ-Freedom-Fund
+ LGBTQ Freedom Fund
+ The LGBTQ Freedom Fund pays bail to secure the safety and liberty of low-income individuals in U.S. jails and immigration facilities.
+
+In tandem, we raise awareness of the criminalization of LGBTQ folks, who are three times more likely to be incarcerated than non-LGBTQ individuals.
+
+Because of whom they love and gender identity, a tangle of discrimination and poverty disproportionately puts LGBTQ people behind bars, and the impact is felt most acutely by transgender, brown, and black individuals.
+
+
+
+ https://staging.giveth.io/project/Love-of-T-Foundation-Inc
+ Love of T Foundation Inc
+ The Love of T Foundation is to promote access to and address gaps in behavioral healthcare services while building relationships and fostering community conversations on how to promote systemic change.
+
+
+
+ https://staging.giveth.io/project/GiveInternet-Org-Inc
+ GiveInternet Org Inc
+ 1.1 billion students can’t afford internet access. 67% are girls. We exist to make it simple and transparent for anyone to sponsor internet access and laptops for students in need, allowing them to access global knowledge and equal opportunities.
+
+
+
+ https://staging.giveth.io/project/Coalition-on-Temporary-Shelter-(COTS)
+ Coalition on Temporary Shelter (COTS)
+ COTS exists to create and facilitate opportunities that empower families in poverty to collaborate, thrive, and succeed in building strong households, neighborhoods, and communities. Through the Passport to Self-Sufficiency™, COTS assist families in reaching their housing, economic, health, education, and career goals. COTS also exists to advocate for long-term solutions to the problem of homelessness.
+
+
+
+ https://staging.giveth.io/project/Protechos-Inc
+ Protechos Inc
+ To provide roof reconstruction and related vocational training to residents of underserved communities throughout Puerto Rico. PRoTechos was founded with the dual mission of rebuilding damaged roofs in underserved communities throughout the island while providing residents with basic carpentry training, addressing both housing needs and the shortage of skilled construction workers in Puerto Rico.
+
+
+
+ https://staging.giveth.io/project/Ukrainian-American-Coordinating-Council
+ Ukrainian American Coordinating Council
+ The Ukrainian American Coordinating Council is a non-partisan, not-for-profit organization as defined under Section 501 (c) (3) of the Internal Revenue Code. UACC was founded in 1965, is an overall national representative body of Ukrainian American citizens and those of Ukrainian descent. As an American organization embracing many Ukrainian American organizations, clubs, fraternal lodges, veteran and youth societies, women’s and sports groups, as well as cultural, social, church, political organizations, and demonstrations and protests, it has been a powerful advocate of Freedom and Independence for Ukraine.
+
+
+
+ https://staging.giveth.io/project/Code-Nation
+ Code Nation
+ Code Nation equips students with the skills, experiences and connections that together create access to careers in technology. With a volunteer teaching corps of 300 professional web and software developers and a network of school and company partners, we provide coding courses and work-based learning programs to students who attend under-resourced high schools.
+
+In 2018-19, our programs reach almost 1,500 students in 46 schools in New York City and the San Francisco Bay Area. 73% of students who complete two or more years of Code Nation programs are majoring in computer science or a related field in college or currently employed in tech.
+
+
+
+ https://staging.giveth.io/project/Longevity-Science-Foundation
+ Longevity Science Foundation
+ The long-term mission of the Longevity Science Foundation is to help make longevity-focused care accessible to everyone, no matter their background, by bringing cutting-edge science on ageing out of the laboratory and into the mainstream. We believe the way to do this is through a membership model that brings longevity science supporters, researchers, and luminaries together.
+
+
+
+ https://staging.giveth.io/project/Native-Animal-Rescue
+ Native Animal Rescue
+ Native Animal Rescue (NAR) is a private non-profit organization dedicated to the rehabilitation of injured and orphaned wildlife. NARs goal is the successful rehabilitation and return of wild animals back to their natural habitats. With the help of 68 volunteer wildlife rehabilitators, NAR treats over 2,900 rescued wild animals each year.
+We also educate people on how to coexist peacefully with our wildlife neighbors to protect animals from injury, etc.
+
+
+
+ https://staging.giveth.io/project/The-Fedcap-Group-Inc
+ The Fedcap Group, Inc
+ The Fedcap Group is committed to creating opportunities and improving the lives of people with barriers to economic well-being.
+
+
+
+ https://staging.giveth.io/project/Black-and-Missing-Foundation
+ Black and Missing Foundation
+ The Black and Missing Foundation, Inc (BAMFI) is a non-profit 501(c)(3) organization whose mission is to bring awareness to missing persons of color; provide vital resources and tools to missing persons families and friends and to educate the minority community on personal safety.
+BAMFI was founded in 2008 by experts in the fields of law enforcement and public relations; two vital expertise needed to help bring awareness to and find those missing from our communities.
+
+
+
+ https://staging.giveth.io/project/Little-Free-Library-Ltd
+ Little Free Library Ltd
+ Little Free Librarys mission is to be a catalyst for building community, inspiring readers, and expanding book access for all through a global network of volunteer-led Little Free Libraries. There are more than 150,000 registered Little Free Library book-sharing boxes worldwide, standing in all 50 states and 100+ countries on 7 continents. Through Little Free Libraries, millions of books are exchanged each year, profoundly increasing book access for readers of all ages and backgrounds.
+
+
+
+ https://staging.giveth.io/project/Conservation-International-Foundation
+ Conservation International Foundation
+ Building upon a strong foundation of science, partnership and field demonstration, CI empowers societies to responsibly and sustainably care for nature for the well-being of humanity.
+
+
+
+ https://staging.giveth.io/project/Dogs-for-Better-Lives
+ Dogs for Better Lives
+ Dogs for Better Lives is an award-winning national 501(c)(3) nonprofit located in Central Point, Oregon. Formerly known as Dogs for the Deaf, we have been providing Assistance Dogs to people across the United States since 1977. Dogs for Better Lives’ mission is to professionally train dogs to help people and enhance lives while maintaining a lifelong commitment to all dogs we rescue or breed and the people we serve.<br><br>Professional Certified trainers train and place Assistance Dogs with individuals who experience deafness or hearing loss, with children who are on the autism spectrum, and with professionals such as teachers, physicians, and licensed therapists whose students and clients can benefit from the dogs’ calming presence. Assistance Dogs from Dogs for Better Lives provide people with the support they need to live safely and independently. Dogs for Better Lives offers three Assistance Dog Programs: Autism Assistance Dogs, Hearing Assistance Dogs, and Facility Dogs.
+
+
+
+ https://staging.giveth.io/project/Gamers-Outreach
+ Gamers Outreach
+ Our focus is to support kids and teens throughout the healing process as they undergo treatment in hospitals. We equip nurses and child life specialists with the means to make activities and technology accessible. Ultimately, our goal is to create sustainable experiences that produce joy and minimize trauma for patients.
+
+
+
+ https://staging.giveth.io/project/Delta-Institute-Corporation
+ Delta Institute Corporation
+ Delta Institute works with communities throughout the Midwest to solve complex environmental challenges. We envision a region in which all communities and landscapes thrive through an integrated approach to environmental, economic, and social challenges. Since our founding in 1998, Delta Institute has worked throughout the Midwest, in both urban and rural communities.
+
+
+
+ https://staging.giveth.io/project/Adams-Career-Academy-Associated-Inc
+ Adams Career Academy Associated Inc
+ We are a nonprofit (501c3) CTE (Career & Technical Education) provider and US Department of Labor Registered Apprenticeship Program, helping individuals develop skills to earn industry-recognized credentials and a livable wage while connecting employers to more diverse and skilled talent pipelines for all essential industries as well as the jobs of tomorrow.
+
+
+
+ https://staging.giveth.io/project/Historic-Hawaii-Theatre
+ Historic Hawaii Theatre
+ Hawaii Theatre has played a significant role in Honolulu’s cultural landscape since 1922. The mission of the non-profit Hawaii Theatre Center, established in 1984 is to provide a broad range of entertainment, cultural and educational experiences promote redevelopment and revitalization of downtown Honolulu/Chinatown and enhance the quality of life in Honolulu.
+
+
+
+ https://staging.giveth.io/project/Altium-Cares-Foundation
+ Altium Cares Foundation
+ Altium Cares makes strategic choices to fund the people, projects, and companies focused on preventing and curing human disease. We invest in translational medical research & development, empowering the next generation in healthcare. Altium Cares supports medical pioneers in advancing research from the lab, to becoming the cures doctors use to help their patients.
+
+
+
+ https://staging.giveth.io/project/Glioblastoma-Research-Organization-Brain-Cancer
+ Glioblastoma Research Organization - Brain Cancer
+ A 501(c)(3) nonprofit organization raising awareness and funds for new global, cutting-edge research to find a cure for glioblastoma. The purpose of the Glioblastoma Research Organization is to provide financial support to doctors and researchers around the world, that are working on developing cutting-edge technologies and clinical trials through research, to increase the rate of survival in patients, and find a cure for this disease.
+
+
+
+ https://staging.giveth.io/project/Crystal-Hearts
+ Crystal Hearts
+ Crystal Hearts is a 501(c)(3) nonprofit organization committed to providing assistance in active war zones, currently focusing on delivering aid to frontline areas in Ukraine, supplying critical resources and life-saving equipment to civilians, combat medics, and frontline defenders. Crystal Hearts works directly with local nonprofits and volunteers on the ground.
+
+
+
+ https://staging.giveth.io/project/Sakhi-for-South-Asian-Women
+ Sakhi for South Asian Women
+ Sakhi for South Asian Women exists to represent the South Asian diaspora in a survivor-led movement for gender-justice and to honor the collective and inherent power of all survivors of violence. Sakhi is committed to serving survivors through a combination of efforts including—but not limited to—direct services, advocacy and organizing, technical assistance, and community outreach.
+
+
+
+ https://staging.giveth.io/project/Back-On-My-Feet
+ Back On My Feet
+ Back on My Feet, a national organization operating in 13 major cities coast to coast, combats homelessness through the power of running, community support and essential employment and housing resources.
+
+
+
+ https://staging.giveth.io/project/Musicians-On-Call
+ Musicians On Call
+ Musicians On Call brings live and recorded music to the bedsides of patients in healthcare environments. By delivering live, in-room and virtual performances to patients undergoing treatment or unable to leave their beds, we add a dose of joy to life in a healthcare facility. Since 1999, Musicians On Call Volunteer Musicians have played for more than 1,000,000 patients, families, and caregivers at hospitals across the country.
+
+
+
+ https://staging.giveth.io/project/Project-Backboard
+ Project Backboard
+ Project Backboard is a 501(c)(3) organization whose mission is to renovate public basketball courts and install large scale works of art on the surface in order to strengthen communities, improve park safety, encourage multi-generational play, and inspire people to think more critically and creatively about their environment. Project Backboard renovates public basketball courts and collaborates with artists to install large scale works of art on the surface.
+
+
+
+ https://staging.giveth.io/project/The-Well-Incorporated
+ The Well Incorporated
+ The Well is a community of people committed to living in direct relationships with the poor. In these relationships we find a sense of kinship based not on blood but on grace and hospitality. The Well meets needs, builds bridges, to see cities made whole.
+
+
+
+ https://staging.giveth.io/project/Fidelity-Investments-Charitable-Gift-Fund
+ Fidelity Investments Charitable Gift Fund
+ Since our inception as a public charity in 1991, our mission has remained the same – to further the American tradition of philanthropy by providing programs that make charitable giving simple, effective, and accessible.
+
+
+
+ https://staging.giveth.io/project/Daffy-Charitable-Fund
+ Daffy Charitable Fund
+ Daffy is the Donor-Advised Fund for You™, a not-for-profit community built around a new, modern platform for giving, one built around the commitment to give, not the amount you give.
+
+Our mission is to help people to be more generous, more often through a seamless mobile experience that helps members set money aside, watch it grow tax-free, and donate to more than 1.5 million charities.
+
+To give with Daffy, simply visit daffy.org or search for “Daffy” in the App Store.
+
+
+
+ https://staging.giveth.io/project/The-Water-Project-Inc
+ The Water Project, Inc
+ The Water Project unlocks human potential by building and connecting global networks of local leaders, communities of generous supporters, and an informed public to provide sustainable water and sanitation programs to needlessly suffering communities in developing countries.
+
+
+
+ https://staging.giveth.io/project/International-Anti-Poaching-Foundation
+ International Anti-Poaching Foundation
+ Our mission is to deliver ecological stability and long-term protection of large-scale wilderness landscapes by supporting and empowering local communities.
+
+
+
+ https://staging.giveth.io/project/Family-Reach
+ Family Reach
+ Family Reach is a 501(c)(3) nonprofit that provides non-medical financial support to families facing cancer. Treatment requires more than medicine — families need a roof over their heads and food on their tables to survive. If a family can’t meet these basic needs, cancer treatment takes a back seat. We work with patients, providers, and community organizations to challenge the systems that force families to choose between their health and their home. Together, we’re making financial treatment a standard of cancer care.
+
+
+
+ https://staging.giveth.io/project/IRIS-Integrated-Refugee-and-Immigrant-Services
+ IRIS- Integrated Refugee and Immigrant Services
+ The mission of IRIS is to help refugees and other displaced people to establish new lives, regain hope, and contribute to the vitality of Connecticuts communities.
+
+Refugees are men, women and children who fled their countries of origin due to persecution on the basis of their race, nationality, religious belief, political opinion, or membership in a particular social group. They are granted special immigration status according to international law. Each year the US government invites a small number of them to start new lives, or "resettle," in this country. The front-line work of resettlement is done by local agencies like IRIS. IRIS works intensively with refugees, particularly during the first year of their resettlement, to help them build lives of their own choosing in the US.
+
+
+
+ https://staging.giveth.io/project/Marine-Toys-For-Tots-Foundation
+ Marine Toys For Tots Foundation
+ The mission of the U. S. Marine Corps Reserve Toys for Tots Program is to collect new, unwrapped toys during October, November and December each year, and distribute those toys as Christmas gifts to less fortunate children in the community in which the campaign is conducted.
+
+
+
+ https://staging.giveth.io/project/Develop-Africa-Inc
+ Develop Africa, Inc
+ Develop Africa strategically empowers lives in Africa by providing educational opportunities and strengthening self-reliance so that individuals, families, and communities can create positive change in their own lives. We provide school supplies, scholarships, solar lights (so kids can study at night), mosquito nets (to keep children safe from malaria), computer/vocational training, etc. We additionally provide microfinance loans, orphan care, and disaster relief. This helps them become self-sufficient and rise above the poverty line. When individuals and families are strengthened, they can contribute towards community, national, and international progress.
+
+
+
+ https://staging.giveth.io/project/Savory-Institute-Org-Inc
+ Savory Institute Org Inc
+ The Savory Institutes mission is to facilitate the large-scale regeneration of the worlds grasslands through Holistic Management.
+
+The organizations educational consulting activities are turning deserts into thriving grasslands, restoring biodiversity, bringing streams, rivers and water sources back to life, combating poverty and hunger, and increasing sustainable food production, all while putting an end to global climate change.
+
+
+
+ https://staging.giveth.io/project/Rock-the-Vote
+ Rock the Vote
+ Rock the Vote engages young people in our democracy and builds their political power by registering, educating and turning them out to vote, by forcing the candidates to campaign to them, and by making politicians pay attention to youth and the issues they care about once in office. We use music, popular culture, new technologies and old fashioned grassroots organizing to engage and mobilize young people to participate in every election, and provide the information and tools they need to do so. And we amplify the actions of those young people who step up to claim their voice in the process in order to create political and social change.
+
+
+
+ https://staging.giveth.io/project/National-Fragile-X-Foundation
+ National Fragile X Foundation
+ To serve the entire Fragile X community to live their best lives by providing the knowledge, resources, and tools until, and even after, more effective treatments and a cure are achieved.
+
+
+
+ https://staging.giveth.io/project/Colorectal-Cancer-Alliance
+ Colorectal Cancer Alliance
+ The Colorectal Cancer Alliance empowers a nation of passionate and determined allies to prevent, treat, and overcome colorectal cancer in their lives and communities. Founded in 1999 and headquartered in Washington, D.C., the Alliance advocates for prevention, magnifies support, and accelerates research. We are the largest national nonprofit dedicated to colorectal cancer, and we exist to end this disease in our lifetime.
+
+
+
+ https://staging.giveth.io/project/The-Family-Violence-Prevention-Center-Inc
+ The Family Violence Prevention Center Inc
+ Dedicated to ending the cycle of domestic and sexual violence in Wake County, North Carolina, InterAct saves lives, rebuilds lives, and secures safer futures for victims and survivors and their families.
+
+
+
+ https://staging.giveth.io/project/Multidisciplinary-Association-for-Psychedelic-Studies
+ Multidisciplinary Association for Psychedelic Studies
+ Founded in 1986, the Multidisciplinary Association for Psychedelic Studies (MAPS) is a 501(c)(3) non-profit research and educational organization that develops medical, legal, and cultural contexts for people to benefit from the careful uses of psychedelics and marijuana.
+
+
+
+ https://staging.giveth.io/project/Downtown-Evening-Soup-Kitchen
+ Downtown Evening Soup Kitchen
+ To serve people experiencing homelessness or living in poverty by providing food assistance and services that promote health, community, and equity.
+
+
+
+ https://staging.giveth.io/project/Habitat-for-Humanity-Maui
+ Habitat for Humanity Maui
+ Habitat for Humanity Maui’s mission is to build decent housing and to renovate substandard housing in Maui County - in partnership with community volunteers and potential homeowners - so that homelessness and substandard housing in Maui County is eliminated.
+
+
+
+ https://staging.giveth.io/project/Pogo-Park
+ Pogo Park
+ Pogo Parks mission is to reclaim and transform broken, underused parks in inner-city neighborhoods into safe, healthy, and vibrant outdoor spaces for children to play. We revitalize these parks as a way to promote healthy child development and dynamic community development.
+
+Our strategy is to mobilize community residents and resources to create outdoor urban play spaces that foster both healthy exercise and the kind of imaginative free play that supports childrens social, linguistic, physical, emotional, and creative development. We work shoulder to shoulder with community residents to plan, design, build, and manage these parks–and to weave these public spaces back into the social fabric of the community.
+
+
+
+ https://staging.giveth.io/project/The-Unicorn-Childrens-Foundation-Inc
+ The Unicorn Childrens Foundation Inc
+ Unicorn Childrens Foundation is dedicated to creating cradle to career pathways for kids and young adults with developmental or learning challenges and helping their families navigate the complex journey. Neurodiversity encompasses a range of neurologically-based disorders such as autism, Asperger’s, ADHD, bipolar, dyslexia, and other learning disorders. We have chosen to view these disorders from a different perspective by seeing each child as uniquely capable and talented with specific strengths and interests that should be cultivated. In essence, every individual, regardless of his/her "disability", deserves an opportunity to lead a fulfilled and productive life.
+
+
+
+ https://staging.giveth.io/project/Lambda-Legal-Defense-and-Education-Fund-Inc
+ Lambda Legal Defense and Education Fund, Inc
+ Founded in 1973, Lambda Legal is a national organization committed to achieving the full recognition of the civil rights of LGBTQ people, and all persons living with HIV through impact litigation, public education, and policy work. We successfully use strategic and collaborative advocacy to press for passage of laws that prohibit discrimination based on sexual orientation, gender identity or HIV status and to defeat efforts to repeal or weaken such civil rights protections.
+
+
+
+ https://staging.giveth.io/project/Empower-Emerging-Markets-Foundation
+ Empower-Emerging Markets Foundation
+ We partner with local organisations in emerging market countries, and other change-makers, to enable marginalised young people to transform their lives and communities.
+
+
+
+ https://staging.giveth.io/project/Purple-Maia-Foundation
+ Purple Maia Foundation
+ Our mission is to inspire and educate the next generation of culturally grounded, community serving technology makers and problem solvers.
+
+
+
+ https://staging.giveth.io/project/Open-Medicine-Foundation
+ Open Medicine Foundation
+ Open Medicine Foundation has the bold mission of solving and breaking the cycle of chronic complex diseases like ME/CFS, Long COVID / Post-Treatment COVID, Post-Treatment Lyme, and others with a post infectious/post-trigger onset. Vital to this mission is to financially support outcome-directed research at global centers that work openly, urgently, and collaboratively with each other (and the broader research community of scientists and clinicians), and eventually translate findings to treatments.
+
+
+
+ https://staging.giveth.io/project/Lodi-Boys-Girls-Club
+ Lodi Boys Girls Club
+ The mission of Boys & Girls Clubs of America is to inspire and enable all young people, especially those from disadvantaged circumstances, to realize their full potential as productive, responsible citizens.
+
+
+
+ https://staging.giveth.io/project/Abortion-Rights-Fund-of-Western-Massachusetts-Inc
+ Abortion Rights Fund of Western Massachusetts Inc
+ ARFWM is a community-based, all volunteer organization dedicated to helping people overcome economic barriers to abortion healthcare.
+
+ARFWM provides direct financial assistance to all people seeking abortions who cannot afford them, including women, youth, transgender, and gender nonconforming-identified people. While our primary commitment is to those from the four counties of Western Massachusetts, we also respond to the needs of those elsewhere in the state, region, and country.
+
+Other priorities include raising public awareness of the injustice of legal and economic restrictions on abortion; working to demystify and de-stigmatize abortion; and advocating for legislation and policy supporting reproductive health, rights, and justice.
+
+
+
+ https://staging.giveth.io/project/Myriad-USA
+ Myriad USA
+ Myriad USA provides donors with a simple and efficient platform to support nonprofit initiatives overseas, anywhere across the globe. Myriad USA brings together the expertise and networks of the King Baudouin Foundation United States (KBFUS) and Give2Asia, and builds on their shared history, their shared belief that local knowledge counts, and their shared objective of improving the lives of people around the world.
+
+
+
+ https://staging.giveth.io/project/Wisconsin-Justice-Initiative-Inc
+ Wisconsin Justice Initiative Inc
+ To advocate for progressive change in the Wisconsin justice system by educating the public about its real-life impacts and partnering with other organizations to achieve more just outcomes.
+
+
+
+ https://staging.giveth.io/project/Surfrider-Foundation
+ Surfrider Foundation
+ The Surfrider Foundation is dedicated to the protection and enjoyment of the world’s ocean, waves and beaches, for all people, through a powerful activist network.
+
+
+
+ https://staging.giveth.io/project/Ukraine-Trustchain
+ Ukraine Trustchain
+ We fund aid and evacuations for Ukrainians in the active war zone. Our small teams go where big international orgs can’t, to provide urgent food, medical supplies, and rides to safety. Your donation goes directly to the front lines, tonight.
+
+
+
+ https://staging.giveth.io/project/University-of-Arizona-Foundation
+ University of Arizona Foundation
+ The University of Arizona Foundation, founded in 1958, is a nonprofit organization dedicated to advancing the University through philanthropy. Our goals are to facilitate connection, demonstrate gratitude and impact, and maximize the power of giving for UArizona and its generous donors. Our services include managing the university’s donated assets and processing gifts to the university in accordance with the their guidelines and policies.
+
+
+
+ https://staging.giveth.io/project/Powrplnt-Inc
+ Powrplnt Inc
+ POWRPLNT is a media arts organization founded in 2014 in Bushwick, Brooklyn, NY, that empowers individuals to bridge the digital divide by organizing community interactions that elevate digital literacy and encourage expression via technology. Our mission is to connect emerging media artists with underserved BIPOC teens of our community so they can learn tangible creative skills and pursue their passions, based on that access to technology is a right, not a privilege, and the digital divide is a social justice issue and empowerment. <br><br>
+POWRPLNT develops projects with around 100 emerging media artists every year and engages nearly 350 young creatives. We organize more than 80 art programs annually to explore what it means to live now in this increasingly digital world while simultaneously honing community, creativity, and digital literacy. We run a Residency Program to support emerging artists and collectives to make technology and art accessible to youth. We aim to generate a community of young creatives who want to use technology to build a better world.
+
+
+
+ https://staging.giveth.io/project/University-of-Southern-California
+ University of Southern California
+ The University of Southern California is one of the world’s leading private research universities. An anchor institution in Los Angeles, a global center for arts, technology and international trade, USC enrolls more international students than any other U.S. university and offers extensive opportunities for internships and study abroad. With a strong tradition of integrating liberal and professional education, USC fosters a vibrant culture of public service and encourages students to cross academic as well as geographic boundaries in their pursuit of knowledge.
+
+
+
+ https://staging.giveth.io/project/Boston-Chinatown-Neighborhood-Center-Inc
+ Boston Chinatown Neighborhood Center, Inc
+ The mission of BCNC is to ensure that the children, youth, and families we serve have the resources and supports they need to achieve greater economic success and social well-being.
+
+
+
+ https://staging.giveth.io/project/Rochester-Folk-Art-Guild-Inc
+ Rochester Folk Art Guild Inc
+ The purpose of the Guild is to have resident and non-resident members as well as apprentices and helpers working together in the study of intellectual, physical, emotional, and spiritual self-development through the production and sale of quality handicrafts and the shared communal responsibilities of maintaining its farm and facilities. The knowledge and skills gained are offered to the public through craft sales, apprenticeships, and educational programs.
+
+
+
+ https://staging.giveth.io/project/Institute-of-Contemporary-Art-San-Francisco
+ Institute of Contemporary Art San Francisco
+ The Institute of Contemporary Art San Francisco (ICA SF), a free, non-collecting contemporary art museum. As a new institution we have the unusual opportunity to start from scratch, unburdened by the weight of tradition and the challenges that are often inherent in trying to make change. The ICA SF can thus lead, right out of the gate, with some necessary art world values: prioritizing individuals over institutions and modeling equity and expansion in the artistic canon. We embrace the mindset of experimenting in public, operating transparently, and pivoting when necessary. As a result, the ICA SF may always in a sense be “under construction.”
+<br> <br>
+
+Through exhibitions, programs, performances, and social opportunities, the ICA SF seeks to broaden the possibilities for civic and creative engagement within the Bay Area’s museum ecosystem and to enable artists to push boundaries, experiment with new ideas, and take risks—just as we have and will continue to do in operating this new museum in the city of San Francisco.
+
+
+
+ https://staging.giveth.io/project/John-Austin-Cheley-Foundation
+ John Austin Cheley Foundation
+ Changing kids lives through transformative summer camp experiences.
+
+
+
+ https://staging.giveth.io/project/Nature-and-Culture-International
+ Nature and Culture International
+ Nature and Culture International works side-by-side with local cultures to protect biodiverse hotspots in Latin America for the well-being of our planet.
+
+
+
+ https://staging.giveth.io/project/Dreamorg
+ Dreamorg
+ At Dream.org we close prison doors and open doors of opportunity. We bring people together across racial, social, and partisan lines to create a future with freedom, dignity, and opportunity for all.
+
+
+
+ https://staging.giveth.io/project/Hoops-4-Hope
+ Hoops 4 Hope
+ Powered by sport and the spirit of Ubuntu, the mission of Hoops 4 Hope is to provide young people with the tools and opportunities necessary to transcend daily life challenges and become leaders in their communities.
+
+
+
+ https://staging.giveth.io/project/Pure-Earth
+ Pure Earth
+ Pure Earth’s vision is a world where all, especially children, are able to live healthy lives and reach their full potential, free from exposure to toxic pollution. Pure Earth partners with governments, communities and industry leaders to identify and implement solutions that stop toxic exposures, protect health, and restore environments. We prioritize actions to protect the developing brains and bodies of children and pregnant women living in toxic hot spots. We work to stop the multigenerational cycle of poisoning that is endemic in many low- and middle-income countries.
+
+
+
+ https://staging.giveth.io/project/Institute-of-Noetic-Sciences
+ Institute of Noetic Sciences
+ The mission of the Institute of Noetic Sciences is to reveal the interconnected nature of reality through scientific exploration and personal discovery.
+
+
+
+ https://staging.giveth.io/project/TWLOHA-Inc
+ TWLOHA, Inc
+ TWLOHA is a non-profit movement dedicated to presenting hope and finding help for people struggling with depression, addiction, self-injury, and suicide. TWLOHA exists to encourage, inform, inspire, and also invest directly in treatment and recovery.
+
+
+
+ https://staging.giveth.io/project/Genesis-Womens-Shelter-Support
+ Genesis Womens Shelter Support
+ To provide safety, shelter and support for women and children who have experienced domestic violence, and to raise awareness regarding its cause, prevalence and impact.
+
+
+
+ https://staging.giveth.io/project/Autism-Speaks
+ Autism Speaks
+ Autism Speaks is dedicated to promoting solutions, across the spectrum and throughout the lifespan, for the needs of individuals with autism and their families through advocacy and support; increasing understanding and acceptance of autism spectrum disorder; and advancing research into causes and better interventions for autism spectrum disorder and related conditions. Autism Speaks enhances lives today and is accelerating a spectrum of solutions for tomorrow.
+
+
+
+ https://staging.giveth.io/project/Organization-For-Autism-Research-Inc
+ Organization For Autism Research Inc
+ OAR’S mission is to apply research to the challenges of autism.<br><br>We strive to use science to address the social, educational, and treatment concerns of self-advocates, parents, autism professionals, and caregivers. The mission of "applying" research to answer questions of daily concern to those living with autism defines our goals and program objectives and shapes our budget.
+
+
+
+ https://staging.giveth.io/project/Aid-for-Starving-Children
+ Aid for Starving Children
+ Whether it is war, natural disaster, a lack of clean drinking water, a shortage of food, the need for clothing, or the necessity of medical supplies in underdeveloped nations, we strive to be there, giving a helping hand. We lend a hand in combating the leading killers of young children across the globe through the funding of the following long-term programs: child feeding programs and emergency relief programs, medical donations, hygiene programs, HIV/AIDs programs and immunizations and community water programs. Our hope is to empower people to help themselves and then help others.
+
+
+
+ https://staging.giveth.io/project/Psychedelic-Access-Fund
+ Psychedelic Access Fund
+ The Psychedelic Access Fund (PAF) is a non-profit organization determined to remove the financial barriers that prevent a person from experiencing psychedelic healing. We believe that psychedelic healing should be accessible to all, regardless of their ability to pay for it.
+
+
+
+With psychedelics showing to be a promising treatment for our nation’s mental health crisis, we now have an opportunity to deliver a new healing modality. Oregon has been the first state to legalize psilocybin assisted therapy. However, the Multidisciplinary Association for Psychedelic Studies anticipates that MDMA-assisted therapy programs will cost between $13,000 -$15,000 per patient, and we are yet to understand the cost for psilocybin assisted therapy. With depression and anxiety being three times more likely in lower socioeconomic classes, our nation will be left in an imbalance, where only those who can afford psychedelic healing will have access. The Psychedelic Access Fund will help solve that problem.
+
+
+
+PAF will sponsor select individuals for healing opportunities in hopes to create a healed, conscious, and connected world. We will also partner with psychedelic facilities and retreat centers to establish “Pay It Forward” funds and sponsorship programs, so that no person is turned away from psychedelic healing, due to their inability to pay.
+
+
+
+ https://staging.giveth.io/project/Down-Syndrome-Association-of-Greater-Cincinnati
+ Down Syndrome Association of Greater Cincinnati
+ The mission of the DSAGC is to empower individuals, educate families, enhance communities and together, celebrate the extraordinary lives of people with Down syndrome.
+
+
+
+ https://staging.giveth.io/project/Oxfam-America
+ Oxfam America
+ Oxfam is a global organization that fights inequality to end poverty and injustice. We offer lifesaving
+support in times of crisis and advocate for economic justice, gender equality, and climate action.
+We demand equal rights and equal treatment so that everyone can thrive, not just survive. The
+future is equal. Join us at oxfamamerica.org.
+
+.
+
+
+
+ https://staging.giveth.io/project/Electronic-Frontier-Foundation-Inc
+ Electronic Frontier Foundation Inc
+ EFFs mission is to ensure that technology supports freedom, justice, and innovation for all people of the world.
+
+
+
+ https://staging.giveth.io/project/Karma-Honey-Project
+ Karma Honey Project
+ We are dedicated to helping fund new bee hives, teaching children about the importance of agriculture and bees as well as funding further research into what is causing the extinction of bees.
+
+
+
+ https://staging.giveth.io/project/Womens-Sports-Foundation
+ Womens Sports Foundation
+ Founded by sports icon and social justice activist Billie Jean King, the Womens Sports Foundation is the ally, advocate, and catalyst for tomorrow’s leaders. We exist to enable girls and women to reach their potential in sport and life.
+
+
+
+ https://staging.giveth.io/project/NAMI-Greater-Houston
+ NAMI Greater Houston
+ To improve the lives of all persons affected by mental illness through the offering of education, support, referral, and awareness based programs and services
+
+
+
+ https://staging.giveth.io/project/Michael-J-Fox-Foundation-for-Parkinsons-Research
+ Michael J Fox Foundation for Parkinsons Research
+ The Michael J. Fox Foundation was launched in 2000 and directs funds to promising research opportunities worldwide. The Foundation strives to make every dollar count as it seeks a cure for Parkinsons disease. With growing resources, the Foundations focus is increasingly on the clinical and translational research crucial to making strides toward a cure and improved therapies for those living with Parkinsons today. Michael J. Fox was diagnosed with young-onset Parkinsons disease in 1991. Armed with the knowledge that with proper funding, a cure for Parkinsons disease was within reach, Fox publicly disclosed his condition in 1998 and committed himself to the campaign for increased Parkinsons awareness and research funding.
+
+
+
+ https://staging.giveth.io/project/Casa-Brumar-Foundation-Inc
+ Casa Brumar Foundation Inc
+ To bridge the gap that leaves the LGBTQ+ community behind when it comes to equality that is equitable in education, social services, and human dignity in the Commonwealth of Virginia and in Prince William County.
+
+
+
+ https://staging.giveth.io/project/International-Rhino-Foundation
+ International Rhino Foundation
+ To ensure the survival of rhinos through strategic partnerships, targeted protection, and scientifically sound interventions.
+
+
+
+ https://staging.giveth.io/project/Kindnessorg
+ Kindnessorg
+ Our mission is to educate and inspire people to choose kindness. We do this work by leveraging science and research to inform our products and programs for a kinder world. Our flagship program is Learn Kind, an evidence-based SEL curriculum serving K-8 students.
+
+
+
+ https://staging.giveth.io/project/Mental-Health-America-of-Greater-Houston-Inc
+ Mental Health America of Greater Houston Inc
+ The mission of Mental Health America of Greater Houston is to drive community solutions to promote mental health for all. Our vision is a future of hope and understanding that promotes the health and well-being of all people.
+
+
+
+ https://staging.giveth.io/project/Bonney-Lake-Community-Resources
+ Bonney Lake Community Resources
+ The Bonney Lake Food Bank is an innovative organization that explores the entire food system to solve access barriers, reduce food waste, advocate for racial and food justice, promote health and wellness, and contribute to the regions economic development. Our Mission is to solve food insecurity by improving Health Equity, Food Equity and Equitable Access through a systems approach.
+
+
+
+ https://staging.giveth.io/project/The-SUDC-Foundation
+ The SUDC Foundation
+ Sudden Unexplained Death in Childhood (SUDC) is a category of death in children between the ages of 1 and 18 that remains unexplained after a thorough investigation, including an autopsy. Most often, a seemingly healthy child goes to sleep and never wakes up.
+
+At this time, we do not know what causes SUDC, how to predict it or how to prevent it.
+A medical examiner or coroner could rule a child’s death SUDC when s/he completes a thorough evaluation and finds no other cause of death.
+
+The SUDC Foundation envisions a world where no more children are lost to Sudden Unexplained Death in Childhood. The SUDC Foundation is the only organization worldwide whose purpose is to promote awareness, advocate for research and support those affected by SUDC.
+
+
+
+ https://staging.giveth.io/project/Brother-Wolf-Animal-Rescue-Inc
+ Brother Wolf Animal Rescue Inc
+ Brother Wolf Animal Rescue’s mission is to better the lives of companion animals and the people who love them. Through adoption and pet retention programs, a low-cost mobile spay and neuter clinic, lifesaving shelter transfer partnerships and extensive volunteer and foster networks, Brother Wolf Animal Rescue impacts the lives of thousands of animals each year.
+
+
+
+ https://staging.giveth.io/project/Oklahoma-Religious-Coalition-for-Reproductive-Choice
+ Oklahoma Religious Coalition for Reproductive Choice
+ Rooted in sacred, moral, and reproductive justice values, the Religious Coalition for Reproductive Choice (RCRC) is a multifaith, intersectional, and antiracist movement for reproductive freedom and dignity leading in spiritual companionship, curating frameworks for faith leaders, and training the next generation of activists.
+
+
+
+ https://staging.giveth.io/project/Africa-Development-Promise
+ Africa Development Promise
+ Africa Development Promise is an international non-profit organization whose mission is to improve the lives and livelihoods of rural women in East Africa through training and resources that support their collective efforts to operate competitively in the marketplace.
+
+
+
+ https://staging.giveth.io/project/Santa-Cruz-Mountains-Trail-Stewardship
+ Santa Cruz Mountains Trail Stewardship
+ We envision Santa Cruz County becoming the model for sustainable trail systems, community stewardship and land manager partnerships, by design, construction and maintenance, through community collaboration, partnerships and world-class events.
+
+
+
+ https://staging.giveth.io/project/The-Sheltering-Arms
+ The Sheltering Arms
+ Sheltering Arms closes opportunity gaps stemming from systemic racism by transforming the lives of children and their families through high-quality, equitable early childhood education and leadership in the field.
+
+
+
+ https://staging.giveth.io/project/Space-for-Giants-USA
+ Space for Giants USA
+ Space for Giants protects Africa’s remaining natural ecosystems and the large wild animals they contain, while bringing major social and economic value to local communities and national governments. Space for Giants works to stop the illegal wildlife trade and to cultivate new investment and partnerships to provide long-term protection of natural habitats while providing benefits to the local populations which coexist with wildlife. It is headquartered in Kenya, works in ten countries in Africa, and is a registered U.K. charity and a 501(c)3 non-profit in the U.S.
+
+
+
+ https://staging.giveth.io/project/Utah-Food-Bank
+ Utah Food Bank
+ Founded in 1904, Utah Food Bank has operated under various names but has always remained true to our mission of Fighting Hunger Statewide. 410,000 Utahns are at risk of missing a meal today. Even more alarming is that 1 in 7 Utah kids are unsure where their next meal is coming from. Last year, Utah Food Bank distributed 70.2 million pounds of food, the equivalent of 58.5 million meals, to people facing hunger across Utah.
+
+
+
+ https://staging.giveth.io/project/Silicon-Valley-PRIDE
+ Silicon Valley PRIDE
+ The primary purpose for which this organization is formed is to promote public education and awareness of the importance of diversity and inclusion as well as the personal rights and civil liberties of the LGBTQ+ community, to charitably meet the needs of the community, and to engage in activities that promote celebrating authenticity. Silicon Valley PRIDE is part of the global PRIDE movement and is essential in raising the awareness of social justice and visibility of the LGBTQ+ community in San Jose, Silicon Valley, and worldwide. The volunteer-run non-profit organization was founded in 1975.
+
+
+
+ https://staging.giveth.io/project/Save-the-Chimps-Inc
+ Save the Chimps, Inc
+ Save the Chimps is one of the largest chimpanzee sanctuaries in the world whose mission is to provide refuge and exemplary care to chimpanzees in need. Save the Chimps offers a permanent sanctuary for the lifelong care of chimpanzees rescued from the US Air Force, research laboratories, the pet trade, and entertainment industry.
+
+
+
+ https://staging.giveth.io/project/Investors-Philanthropic
+ Investors Philanthropic
+ Investors Philanthropic does good and makes good by bringing the joy of giving to millions with high touch, white glove, and more effective methods for donors to make and manage their contributions to the charitable causes they are passionate about.
+
+
+
+ https://staging.giveth.io/project/Wikimedia-Foundation-Inc
+ Wikimedia Foundation, Inc
+ Through Wikipedia and our sister projects, the Wikimedia Foundation is empowering people around the world to collect and develop knowledge under a free license, and to disseminate that knowledge effectively and globally. In collaboration with a network of Wikimedia affiliates the Foundation provides the essential infrastructure and an organizational framework for the support and development of projects and initiatives that serve this mission.
+
+
+
+ https://staging.giveth.io/project/Berkeley-East-Bay-Humane-Society
+ Berkeley-East Bay Humane Society
+ Berkeley Humane serves the people and animals of our community by providing life-saving programs for cats and dogs, cultivating compassion, and strengthening the human-animal bond. Because the well-being of animals reflects the well-being of our community, we engage minds, hearts and hands to provide care for dogs and cats in the East Bay.
+
+
+
+ https://staging.giveth.io/project/PTA-of-PS8-Brooklyn-New-York
+ PTA of PS8, Brooklyn, New York
+ PS8, The Emily Warren Roebling School is a learning community dedicated to creativity, academic excellence and intellectual curiosity, with the aim of developing life-long learners and engaged citizens. We are committed to the intellectual, artistic, moral, emotional, social and physical development of each child.
+
+
+
+ https://staging.giveth.io/project/The-Alpha-Workshops
+ The Alpha Workshops
+ OUR MISSION HAS FOUR IMPORTANT COMPONENTS:<br><br>Draw on the powerful healing potential of useful work and creative self-expression.<br><br>Provide training and employment in a flexible, compassionate workplace where the special needs of its employees can be met.<br><br>Compete in the marketplace successfully at the highest level of craftsmanship and artistry.<br><br>Provide a new model of economic development for people living with HIV/AIDS or other visible or invisible disabilities.
+
+
+
+ https://staging.giveth.io/project/Bumi-Sehat-Foundation-International-Inc
+ Bumi Sehat Foundation International Inc
+ Our mission is to reduce maternal and child morbidity and mortality and to support the health and wise development of communities. Toward this goal, we offer a comprehensive range of allopathic and holistic medicine, as well as pre and post-natal care, breastfeeding support, infant, child and family health services, nutritional education, pre-natal yoga and gentle, loving natural birth services in addition to education and environmental programs.<br><br>YBS is devoted to working in partnership with people to improve quality of life and to improve peace. Each baby’s capacity to love and trust is built at birth and in the first two hours of life. By protecting pregnancy, birth, postpartum and breastfeeding, we are advocating for optimal humanity, health, intelligence and consciousness.
+
+
+
+ https://staging.giveth.io/project/Franklin-County-Humane-SocietyInc-Planned-Pethood-Clinic-Adoption-Center
+ Franklin County Humane Society,Inc Planned Pethood Clinic Adoption Center
+ Our mission is to create a community where all dogs and cats get a chance for a healthy and happy life in a loving home by promoting rescue, adoption and spay/neuter.
+
+
+
+ https://staging.giveth.io/project/Franciscan-University-of-Steubenville
+ Franciscan University of Steubenville
+ Franciscan University of Steubenville educates, evangelizes, and sends forth joyful disciples empowered by the Holy Spirit.<br><br>We form men and women to serve God and one another so they can be a transforming Christian presence in the world.<br><br>Franciscan University trains students as professionals through rigorous courses built on the Catholic intellectual tradition. Together with expert faculty as mentors, they explore new ideas and participate in cutting-edge research across more than 100 graduate and undergraduate programs. The intellectual formation and hands-on experiences they receive here prepare them to excel in medical school, graduate school, and meaningful careers in almost any field.<br><br>At Franciscan’s core is our commitment to dynamic orthodoxy. We engage our students’ hearts and souls along with their minds to help them discover their God-given dignity and purpose. They grow in their love for Jesus Christ and the Catholic Church, encountering both Christ and his Bride in liturgy and sacrament.<br><br>Our work of proclaiming the Gospel extends far beyond our hilltop campus in Ohio. Through outreach and evangelization, we empower people across the country and throughout the world to deepen their relationships with Jesus Christ and to live as his disciples.
+
+
+
+ https://staging.giveth.io/project/Planet-Water-Foundation
+ Planet Water Foundation
+ To transform the health and well-being of children in the world’s most impoverished communities through providing access to safe drinking water, sanitation, and hygiene education.
+
+
+
+ https://staging.giveth.io/project/Fund-for-Wild-Nature
+ Fund for Wild Nature
+ The Fund for Wild Nature provides crucial grants to bold grassroots organizations and innovative conservation efforts that meet emerging needs for protecting biodiversity and wilderness. Think ancient forests, wild coastlines, fragile deserts, rolling grasslands, and the grizzly bears, grey wolves, lynx, orcas, spotted owls, and prairie dogs that depend on these wild places. We have minimal overhead so that we can funnel your donation directly to the passionate, hard-working advocates that take on anti-nature goliaths, and win.
+
+
+
+ https://staging.giveth.io/project/ECHO-Hope-Against-Hunger
+ ECHO - Hope Against Hunger
+ ECHO exists to follow Jesus by reducing hunger and improving lives worldwide through partnerships that equip people with agricultural resources and skills. Working through regional impact centers around the world, ECHO connects small-scale farmers, and those working to eliminate world hunger, with life-changing agricultural resources -- no matter their faith background. <br> <br>Because we partner with local NGOs, farmers, volunteers, and missionaries, we’re able to be more efficient with our resources. We can put more dollars into training farmers and creating sustainable results that feed the most families.<br> <br>We’ve impacted millions of lives by teaching small-scale, sustainable farming methods so families can provide for themselves and their communities. By tackling hunger at the source, we’re growing hope from the ground up.
+
+
+
+ https://staging.giveth.io/project/Childrens-Cancer-Research-Fund
+ Childrens Cancer Research Fund
+ Childrens Cancer Research Fund is a national nonprofit dedicated to ending childhood cancer. Our main focus is to support the research of bright scientists across the country whose ideas can make the greatest impact for children fighting cancer. We also fund resources and programs that help kids and families as they navigate the difficult experience of cancer treatment and survivorship.
+
+Since 1981, weve contributed over $200 million to research, support programs for children and families, and awareness and education outreach. In our January 1 to December 31, 2022 fiscal year, 81 percent of funds raised went directly to these program services areas.
+
+
+
+ https://staging.giveth.io/project/The-Foundation-for-Living-Beauty
+ The Foundation for Living Beauty
+ The Foundation for Living Beauty aims to educate, uplift and empower women with cancer by providing them with opportunities to explore wellness and healing modalities while also developing a sense of community with other women along the same path.
+
+
+
+ https://staging.giveth.io/project/Baylor-College-of-Medicine
+ Baylor College of Medicine
+ Baylor College of Medicine is a health sciences university that creates knowledge and applies science and discoveries to further education, healthcare and community service locally and globally.
+
+
+
+ https://staging.giveth.io/project/Common-Sense-Media
+ Common Sense Media
+ Common Sense is the leading independent nonprofit organization dedicated to helping kids thrive in a world of media and technology. Every day, Common Sense supports parents, teachers, and policymakers with unbiased information, innovative tools, and trusted advice to support kids digital well-being.
+
+
+
+ https://staging.giveth.io/project/Fresno-Mission
+ Fresno Mission
+ Fresno Mission rescues, restores, and empowers those struggling with homelessness, addiction, hunger, poverty, abuse, trafficking, trauma, and other life insecurities. Creating spaces of dignity based on time, relationships, and community, the Fresno Mission helps thousands of men, women, children, and entire families each year. Since 1949, the Fresno Mission has served the homeless community, but now we’re launching our largest endeavor ever by creating City Center, a single campus with dozens of non-profits that all seek to help those who are struggling in our community.
+
+
+
+ https://staging.giveth.io/project/The-Conrad-Foundation
+ The Conrad Foundation
+ We promote collaborative, student-centered, real-world-relevant learning that fosters innovation and entrepreneurship to create a sustainable society for generations to come.
+
+
+
+ https://staging.giveth.io/project/The-KANPE-Foundation-Inc
+ The KANPE Foundation Inc
+ The KANPE Foundation is a foundation that supports the most vulnerable rural communities in Haiti to help them achieve autonomy through six pillars of support: Health & Nutrition, Agroforestry, Education, Leadership, Entrepreneurship and Infrastructure Strengthening. In Haitian creole, “kanpe” means to stand up. The KANPE Foundation was founded by Dominique Anglade and Régine Chassagne, two-well known members of the Haitian diaspora in Canada. Régine is co-founder of the internationally renowned band, Arcade Fire, and Dominique is a prominent leader in Quebec’s national assembly. Together, they founded KANPE days before the 2010 earthquake devastated Haiti. As if by destiny, KANPE became a foundation that brings support to the most vulnerable communities in Haiti to help them achieve autonomy, so that they can “stand up”.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-Leket-Israel
+ American Friends of Leket Israel
+ The mission of American Friends of Leket Israel is to support the rescue of fresh, surplus food to tens of thousands of Israelis in need, of all backgrounds, each week.
+
+
+
+ https://staging.giveth.io/project/Houston-Zoo-Inc
+ Houston Zoo, Inc
+ Our mission is to connect communities with animals, inspiring action to save wildlife. With this vision, we hope to be a leader in the global movement to save wildlife.
+
+
+
+ https://staging.giveth.io/project/Boys-Girls-Clubs-of-Greater-Houston
+ Boys Girls Clubs of Greater Houston
+ To inspire and enable all youth, especially those who need us most, to realize their full potential as productive, responsible and caring citizens.
+
+
+
+ https://staging.giveth.io/project/FreeHorse-Arts
+ FreeHorse Arts
+ FreeHorse Arts is an innovative and inclusive non-profit customizing integrative arts education and nature-based equine experiential learning for people of diverse abilities. <br><br>Online and in-person classes are customized for each individual, promoting the development of important life and social skills to include, but not limited to, an increase in healthy interpersonal skills, effective communication, active listening, critical and creative thinking, and problem-solving, all underscored by compassion, empathy, care for the community and the world we share.
+
+
+
+ https://staging.giveth.io/project/Association-on-American-Indian-Affairs
+ Association on American Indian Affairs
+ The Association on American Indian Affairs is the oldest non-profit serving Indian Country protecting sovereignty, preserving culture, educating Native American youth and building capacity. The Association was formed in 1922 to change the destructive path of federal policy from assimilation, termination and allotment, to sovereignty, self-determination and self-sufficiency. Throughout its 100-year history, the Association has provided national advocacy on watershed issues that support sovereignty and culture, while working on the ground at a grassroots level with Native Nations and Indigenous Peoples to support the implementation of programs that affect lives on the ground.
+
+
+
+ https://staging.giveth.io/project/RE-volv
+ RE-volv
+ RE-volv’s mission is to tackle climate change at the local level by empowering people to accelerate the adoption of clean energy in their communities, especially those that are often excluded from the benefits of the clean energy economy. At RE-volv, we believe that everyone can participate in building a clean energy future and in spreading the word about the benefits of solar energy. Our goal is to provide access to solar energy to nonprofits across the country that serve disadvantaged communities that otherwise could not go solar, while training the next generation of solar energy leaders in the process.
+
+
+
+ https://staging.giveth.io/project/Hospice-of-Santa-Cruz-County
+ Hospice of Santa Cruz County
+ Your choice. Your journey.<br><br>Hospice of Santa Cruz County honors the choices of individuals and families. Our medical, emotional, and practical support provides comfort and peace of mind as you face serious illness. Our services are available alongside curative treatments or after those treatments have stopped, depending on what’s right for you.
+
+
+
+ https://staging.giveth.io/project/Mountain-States-Legal-Foundation
+ Mountain States Legal Foundation
+ Mountain States Legal Foundation’s mission is to protect and restore those rights enshrined in the Constitution of the United States of America, through pro bono litigation. We protect individual liberty, the right to own and use property, the principles of limited and ethical government, and the benefits of the free enterprise system.
+
+
+
+ https://staging.giveth.io/project/Valley-Humane-Society-Inc
+ Valley Humane Society Inc
+ Valley Humane Society (VHS) creates brighter futures for cats and dogs by encouraging and strengthening the bond between people and pets. VHS rescues and rehabilitates companion animals, champions responsible caretaking, shares pets soothing affections with people in need of comfort, and supports and preserves existing pet-guardian relationships.
+
+
+
+ https://staging.giveth.io/project/Clowns-Without-Borders-Inc
+ Clowns Without Borders Inc
+ Clowns Without Borders offers laughter to relieve the suffering of all persons, especially children, who live in areas of crisis including refugee camps, conflict zones and territories in situations of emergency. We bring levity, contemporary clown/circus oriented performances and workshops into communities so that they can celebrate together and forget for a moment the tensions that darken their daily lives. We also seek to raise our societys awareness of affected populations and to promote a spirit of solidarity.
+
+
+
+ https://staging.giveth.io/project/Lotus-Campaign
+ Lotus Campaign
+ Lotus Campaign’s mission is to increase the availability of housing for people experiencing homelessness by engaging the private, for-profit real estate and investment sector as a partner in the solution. The scale of homelessness in America is beyond the capacity of the public and nonprofit sectors to address alone. Lotus was founded in 2018 to create pragmatic, housing-driven solutions to homelessness that bring together the for-profit and nonprofit sectors to create sustainable, scalable solutions and lasting impact.
+
+
+
+ https://staging.giveth.io/project/Domestic-Abuse-Project
+ Domestic Abuse Project
+ Since 1979 Domestic Abuse Project (DAP) has served the Twin Cities community with innovative and successful programming to end the inter-generational cycle of domestic violence. We have made it our mission to work with all affected members of the family-men, women, and children–to stop domestic violence as it occurs and prevent it in the future.
+
+
+
+ https://staging.giveth.io/project/WholeSchool-Mindfulness-Inc
+ WholeSchool Mindfulness, Inc
+ Co-creating an education system that advances wellbeing, community, and justice through the transformative power of mindfulness.<br><br>We are working to establish and support the position of a “Mindfulness Director” in schools. A Mindfulness Director is a school or district staff member whose role is to integrate mindfulness practices within their community.<br><br>We envision a mindful education system in which every school has access to a culturally responsive Mindfulness Director.<br><br>We envision compassionate, resilient schools that support all community members to meet personal, relational, and global challenges with increased clarity and an unwavering commitment to justice.<br><br>We envision future generations of healthy, connected individuals whose mindfulness practice has supported them to see clearly and act wisely in service of imagining and creating a more aware and just world.
+
+
+
+ https://staging.giveth.io/project/The-Center-for-Empowerment-and-Education-Inc
+ The Center for Empowerment and Education, Inc
+ Our mission is to serve the needs of individuals, families and the community with prevention, crisis intervention and support services with regard to domestic violence, sexual assault and other major life crises.<br><br>We achieve this mission through our strongly committed team of dedicated staff, direct service and board of director volunteers, and with the help of our many partners, from individuals and governments to local nonprofits and corporations. Together, they help us to sustain the provision of high quality, professional services for all who turn to us for help, 24 hours per day, 7 days per week.
+
+
+
+ https://staging.giveth.io/project/Pittsburgh-Botanic-Garden
+ Pittsburgh Botanic Garden
+ Pittsburgh Botanic Garden inspires people to value plants, garden design and the natural world by cultivating plant collections of the Allegheny Plateau and temperate regions, creating display gardens, conducting educational programs and conserving the environment.
+
+
+
+ https://staging.giveth.io/project/Replate
+ Replate
+ Replate manages the food donations of caterers, offices with meal services, brands with product overrun, restaurants, and other surplus food generators. Every food donation is taken to local nonprofits serving neighbors experiencing food insecurity.Replate manages the food donations of caterers, offices with meal services, brands with product overrun, restaurants, and other surplus food generators. Every food donation is taken to local nonprofits serving neighbors experiencing food insecurity.
+
+
+
+ https://staging.giveth.io/project/St-Anthonys-Health-Care-Foundation-Inc
+ St Anthonys Health Care Foundation, Inc
+ The mission of St. Anthonys Hospital Foundation is to advocate, educate and communicate the value of the hospital to our community.
+
+
+
+ https://staging.giveth.io/project/Peaceful-Pastures-Ranch-Inc
+ Peaceful Pastures Ranch Inc
+ Peaceful Pastures Ranch is a non-profit organization that serves as both a horse sanctuary and a behavioral health care center that strives to improve the quality of life for horses and humans who struggle with the after-effects of traumatic events.
+
+
+
+ https://staging.giveth.io/project/Rhizome-Communications-Inc
+ Rhizome Communications Inc
+ Rhizome champions born-digital art and culture through commissions, exhibitions, scholarship, and digital preservation.
+
+
+
+ https://staging.giveth.io/project/Alzheimers-Disease-and-Related-Disorders-Association-Inc
+ Alzheimers Disease and Related Disorders Association, Inc
+ The Alzheimers Association leads the way to end Alzheimers and all other dementia — by accelerating global research, driving risk reduction and early detection, and maximizing quality care and support. A world without Alzheimers and all other dementia.™
+
+
+
+ https://staging.giveth.io/project/Mercy-Home-for-Boys-Girls
+ Mercy Home for Boys Girls
+ Since 1887, Mercy Home for Boys & Girls has provided children and families with healing and tools to build brighter futures. It gives children who’ve experienced abuse, neglect, or violence a safe home, educational support, and career guidance.
+
+
+
+ https://staging.giveth.io/project/Ai-for-Anyone-Inc
+ Ai for Anyone Inc
+ Our vision is to see a world where each and every person has at least a basic understanding of AI. On behalf of us and the rest of the A.I. For Anyone team, thank you for joining us on this journey.
+
+
+
+ https://staging.giveth.io/project/Brady-Center-To-Prevent-Gun-Violence
+ Brady Center To Prevent Gun Violence
+ Brady is uniting Americans, coast to coast, gun owners and non gun owners alike, to end the gun violence epidemic that plagues America. A complicated problem requires a comprehensive approach, so Brady works across Congress, the courts and communities to fight for common sense gun laws, holding bad actors accountable, and to educate everyone on the issues so we are all part of the solution.
+
+
+
+ https://staging.giveth.io/project/Northwestern-University
+ Northwestern University
+ Education and research - The mission of Northwestern University is to establish and enhance excellence in its acade mic and professional programs This includes superior undergraduate education for a highly selective student body in a comprehensive range of academic and professional fields At the graduate level, Northwesterns role encompasses offerings in the major academic and professional fields, closely related to research, creative activities, and clinical services
+
+
+
+ https://staging.giveth.io/project/Sea-Turtle-Conservancy
+ Sea Turtle Conservancy
+ Sea Turtle Conservancy is the oldest sea turtle research and conservation organization in the world. Founded in 1959 by renowned sea turtle biologist Dr. Archie Carr, STCs mission is to study and protect sea turtles and associated marine and coastal habitats worldwide, with an emphasis on the Southeast United States, Atlantic and Wider Caribbean. To achieve its mission, STC uses research, habitat protection, public education, biologist training, community outreach, networking and advocacy as its basic tools. The group conducts ongoing programs in Florida, Costa Rica, Panama, Bermuda, Cuba and the Eastern Caribbean.
+
+
+
+ https://staging.giveth.io/project/Ecological-Servants-Project
+ Ecological Servants Project
+ Our mission is to nurture environmental awareness and foster a profound sense of stewardship for our planet. This goal is made possible through the relentless dedication of our EcoServants, who tirelessly work to empower schools and communities with the essential knowledge and tools required to shape a sustainable future. We firmly believe that through education and active engagement, we can safeguard and conserve the environment for the well-being of future generations.
+
+
+
+ https://staging.giveth.io/project/New-York-Times-Neediest-Cases-Fund
+ New York Times Neediest Cases Fund
+ The fund was originated by Adolph Ochs Sulzberger, then publisher of the New York Times, to raise funds to provide to individuals and families in distress. The funds board of directors selects certain non-profit organizations in the New York metropolitan area to receive funding. Those non-profit organizations and their exempt purposes are listed on page 2, part iii, line 4 (items A - D) as part of the statement of program service accomplishments.
+
+
+
+ https://staging.giveth.io/project/NAACP-Foundation
+ NAACP Foundation
+ To educate minorities on social & economic issues through its afro- academic, cultural, technological, scientific Olympics (ACT-SO) human rights, voting rights, and legal programs.
+
+
+
+ https://staging.giveth.io/project/Happy-Compromise-Farm-Sanctuary
+ Happy Compromise Farm Sanctuary
+ Happy Compromise Farm + Sanctuary (HCF+S) works to create connection between animals, humans, and the planet. HCF+S rescues and provides forever homes for both farmed and companion animals; grows food for the community through veganic, regenerative/conservation agriculture; and advocates for humans to make sustainable and eco-friendly lifestyle decisions. HCF+S invites visitors to the farm to connect with exploited animals on an individual level while also getting back to nature. The organizations overarching goal is to create a fair and safe world for all marginalized beings. As an LGBTQ-founded and -led nonprofit, HCF+S also works to eradicate systems of oppression and ensure the sanctuary is a safe space for all marginalized beings.
+
+
+
+ https://staging.giveth.io/project/Careers-Through-Culinary-Arts-Program-(C-CAP)
+ Careers Through Culinary Arts Program (C-CAP)
+ Long co-chaired by chef Marcus Samuelsson, Careers through Culinary Arts Program (C-CAP) is a workforce development nonprofit that provides underserved teens a pathway to success. Annually, C-CAP provides culinary, job and life skills to over 20,000 middle-and-high school students in six cities/regions across the United States: New York City, Philadelphia, Chicago, Los Angeles, Washington DC/Maryland and Arizona, including 7 Navajo Reservation schools.
+
+
+
+ https://staging.giveth.io/project/Rikers-Island-Cat-Rescue-Inc
+ Rikers Island Cat Rescue Inc
+ The Mission of the Rikers Island Cat Rescue (RICR) is to manage the community cats on Rikers island by practicing TNR and colony care. In addition to this we also are on the lookout for relocated cats. We perform TNR on relocated cats and if friendly we get them adopted into a forever home. RICR also builds feeding stations and winter cat shelters for our community cats.
+
+
+
+ https://staging.giveth.io/project/Trunks-Up
+ Trunks Up
+ Trunks Up is a dedicated branch of the Abraham Foundation, a certified 501(c)(3) organization lending help to preserve and protect the critically endangered Asian Elephant with particular focus on supporting the work of Lek Chailert, founder of Elephant Nature Park and Save Elephant Foundation. Trunks Up works to enable the thousands of captive Asian Elephants to live lives free from abuse and deprivation and enable the wild Asian Elephant population to thrive.
+
+
+
+ https://staging.giveth.io/project/Philip-Morgan-Foundation
+ Philip Morgan Foundation
+ THE PURPOSE OF THE ORGANIZATION SHALL BE TO PROVIDE SUPPORT AND ASSISTANCE TO FAMILIES EXPERIENCING THE HARDSHIPS ASSOCIATED WITH THE TERMINAL OR DEVASTING ILLNESS OF A LOVED ONE.
+
+
+
+ https://staging.giveth.io/project/Project-Healing-Waters-Fly-Fishing
+ Project Healing Waters Fly Fishing
+ Project Healing Waters Fly Fishing, Inc. is dedicated to the physical and emotional rehabilitation of disabled active military service personnel and disabled veterans through fly fishing and associated activities including education and outings.
+
+
+
+ https://staging.giveth.io/project/International-Relations-Council
+ International Relations Council
+ The International Relations Council strengthens Kansas Citys global perspective by maintaining an active dialogue around world events, global issues, and their impact on our community. As a nonpartisan, educational nonprofit organization, the IRC values informed civil discourse, accessibility, and substance as we work to sharpen our communitys 21st-century global acumen.
+
+Our vision is a globally informed, engaged, and active Kansas City community that welcomes diverse perspectives and connects through a sincere desire to contribute to our shared future.
+
+
+
+ https://staging.giveth.io/project/PVBLIC-Foundation-Inc
+ PVBLIC Foundation Inc
+ PVBLIC is an innovative foundation that mobilizes media, data, and technology for sustainable impact around the globe. We do this with media and content that helps GO’s, NGO’s and IGO’s amplify their message, strategic partnerships that plug private-sector innovations into social agendas, and donor funds designed for global impact. PVBLIC has emerged as a global player convening world leaders and building platforms that drive change, working alongside more than 30 governments and building platforms and partnerships that have reached more than over 100 countries.
+
+
+
+ https://staging.giveth.io/project/She256
+ She256
+ We provide free mentorship, education, and community services to underrepresented groups in the blockchain industry. We are committed to building out the blockchain space as a diverse, dynamic industry. She256 events aim to highlight groundbreaking research, protocols, and specific applications of blockchain, encouraging discussion from a set of voices across the board. In addition, we aim to unite our community together across borders and geographic boundaries through the use of online platforms.
+
+
+
+ https://staging.giveth.io/project/Carbon-Offsets-To-Alleviate-Poverty-(COTAP)
+ Carbon Offsets To Alleviate Poverty (COTAP)
+ The mission of Carbon Offsets To Alleviate Poverty (www.COTAP.org) is to empower individuals in developed countries to simultaneously fight both global poverty and climate change by connecting their carbon footprints with certified forestry projects in least-developed countries which create life-changing income for the worlds poorest people.
+
+
+
+ https://staging.giveth.io/project/North-Shore-Animal-League-America
+ North Shore Animal League America
+ North Shore Animal League America - one of the worlds largest no-kill rescue and adoption organizations - has saved the lives of over 1.1 million dogs, cats, puppies and kittens at risk of euthanasia. Through our many innovative programs, we reach across the country to rescue animals from overcrowded shelters, unwanted litters, puppy mills, natural disasters and other emergencies and find them responsible, loving homes. As a leader in the no-kill movement, we are dedicated to promoting shelter pet adoptions; encouraging spay/neuter programs; reducing animal cruelty; ending euthanasia; and advancing the highest standards in animal welfare.
+
+
+
+ https://staging.giveth.io/project/Khan-Academy
+ Khan Academy
+ Khan Academy’s mission is to provide a free, world-class education for anyone, anywhere. Our platform offers free high-quality, standards-aligned learning resources - instructional videos, practice questions, quizzes and articles that cover preschool through early college academic subjects with a focus on math and science. We also partner directly with schools and districts in the United States to implement Khan Academy across classrooms to reach historically under-resourced communities. We are deeply committed to efficacy, there are over 50 impact studies that demonstrate how our learning model successfully drives learning outcomes. Worldwide, more than 145 million registered learners use Khan Academy in 190 countries and over 60 languages.
+
+
+
+ https://staging.giveth.io/project/Murphslife-Foundation
+ Murphslife Foundation
+ MurphsLife Foundation is a NonProfit 501c3 foundation that provides aid and resources to those who need it most in developing economies by strategically identifying and helping impoverished families and communities with the goal of empowering them to become self sufficient.
+
+By documenting the process, these acts of charity allow contributors to see where their resources go, creating and supporting micro-eco, disaster relief, education, and other basic human needs throughout the world.
+
+With this content, MurphsLife seeks to empower less fortunate individuals & families become economically empowered; and highlight the natural, cultural and historic beauty of Latin America, and joy of local communities.
+
+This is accomplished by providing direct assistance to families in need.
+
+
+
+ https://staging.giveth.io/project/Tipping-Point-Community
+ Tipping Point Community
+ Tipping Point Community is a non-profit organization committed to fighting poverty in the Bay Area for the 1.1 million people who don’t have the resources to meet their basic needs. We build community to advance the most promising poverty-fighting solutions.
+
+
+
+ https://staging.giveth.io/project/La-Jolla-Institute-for-Immunology
+ La Jolla Institute for Immunology
+ Since its inception 30 years ago, La Jolla Institute has solely dedicated itself to understanding the far-reaching power of the immune system because we believe that no other biomedical discipline has greater implications for human health than immunology.
+
+
+
+ https://staging.giveth.io/project/Us-for-Warriors-Foundation
+ Us for Warriors Foundation
+ Us for Warriors Foundation or "Us4Warriors" is a California Public Benefit Corporation dedicated to promote the social welfare of the troops and veterans community. “Everything we do helps veterans and their families." The footprint we leave behind is not just imprints from strong boots, but also strong lives.
+
+
+
+ https://staging.giveth.io/project/Kids-Reading-Room
+ Kids Reading Room
+ Our mission is to promote literacy and instill the LOVE of reading in elementary children living in underserved apartment communities in the Houston, TX area! We create vibrant and engaging libraries where students are surrounded by 1000s of books within their own apartment community.
+
+We have over 20 volunteers who read with our children, build positive relationships and spearhead crafts and storytime.
+
+
+
+ https://staging.giveth.io/project/Beads-Of-Courage-Inc
+ Beads Of Courage Inc
+ The mission of Beads of Courage is to provide innovative arts-in-medicine programs that improve the quality of life of children coping with cancer and other serious illnesses. We also provide programs that support the families, clinicians, and caregivers of seriously ill children.
+
+
+
+ https://staging.giveth.io/project/Pancreatic-Cancer-Action-Network-Inc
+ Pancreatic Cancer Action Network Inc
+ Our mission is to take bold action to improve the lives of everyone impacted by pancreatic cancer by advancing scientific research, building community, sharing knowledge and advocating for patients.<br>PanCANs vision is to create a world in which all patients with pancreatic cancer will thrive.
+
+
+
+ https://staging.giveth.io/project/Healing-Haiti
+ Healing Haiti
+ Healing Haiti is a Christ centered ministry. The organization leverages resources to elevate and unify Haitian families to break the cycle of poverty and strengthen the fabric of the community. The organization is a non-profit dedicated to serving the poor, the vulnerable and the disadvantaged. Micah 6:8-acts justly -love mercy -walk humbly
+
+
+
+ https://staging.giveth.io/project/The-Ohio-State-University-Foundation
+ The Ohio State University Foundation
+ The Ohio State University Foundation is the university’s primary fundraising and gift-receiving organization. It was founded in 1985 as a non-profit, tax exempt organization that advances the mission of Ohio State by pursuing and securing private support to benefit Ohio State students, faculty, programs, and/or facilities.
+
+
+
+ https://staging.giveth.io/project/Association-for-Gifted-Talented-Students-of-LA
+ Association for Gifted Talented Students of LA
+ AGTS Louisiana is designed to serve as a resource for families, communities, and educational professionals who advocate for and support gifted and talented individuals and their education throughout Louisiana.
+
+
+
+ https://staging.giveth.io/project/Multiple-Sclerosis-Education-Foundation-Inc
+ Multiple Sclerosis Education Foundation Inc
+ The Multiple Sclerosis Education Foundation helps people with Multiple Sclerosis improve and enhance their quality of life by providing information and services to help make a difference.
+Also to educate the general public so they can understand how Multiple Sclerosis affects individuals and their families.
+This information should help remove or eliminate prejudice and discrimination associated with Multiple Sclerosis.
+
+
+
+ https://staging.giveth.io/project/Indigenous-Environmental-Network
+ Indigenous Environmental Network
+ IEN is an alliance of grassroots Indigenous peoples whose mission it is to protect the sacredness of Mother Earth from contamination and exploitation by strengthening, maintaining and respecting Indigenous teachings and natural laws.
+
+
+
+ https://staging.giveth.io/project/Shiny-Gloves-Club-Incorporated
+ Shiny Gloves Club Incorporated
+ We are challenged to find amazing talent in the most impoverished places, provide them with the resources & guidance to develop those abilities, and help them find ways to channel their creations in ways that improve their communities.
+
+
+
+ https://staging.giveth.io/project/Asian-Pacific-Fund
+ Asian Pacific Fund
+ Our mission is to strengthen the Asian and Pacific Islander community in the Bay Area by increasing philanthropy and supporting the organizations that serve our most vulnerable community members.
+
+
+
+ https://staging.giveth.io/project/Junior-Achievement-of-Southern-California-Inc
+ Junior Achievement of Southern California, Inc
+ JA SoCal inspires and prepares young people to succeed in a global economy. Volunteers from the professional sector help youth explore the business of life through hands-on dynamic programs that teach skills related to managing money, starting a business and entering the work-world.
+
+
+
+ https://staging.giveth.io/project/Center-for-Asian-Americans-United-for-Self-Empowerment-Inc
+ Center for Asian Americans United for Self-Empowerment, Inc
+ Center for Asian Americans United for Self Empowerment (CAUSE) is a 501(c)(3) nonprofit, nonpartisan, community-based organization with a mission to advance the political empowerment of the Asian Pacific American (APA) community through nonpartisan voter registration and education, community outreach, and leadership development.
+
+
+
+ https://staging.giveth.io/project/Marine-Megafauna-Foundation
+ Marine Megafauna Foundation
+ Our mission is to save threatened marine life using pioneering research, education, and sustainable conservation solutions, working towards a world where marine life and humans thrive together.
+
+
+
+ https://staging.giveth.io/project/Ocean-Conservancy-Inc
+ Ocean Conservancy Inc
+ From the Arctic to the Gulf of Mexico to the halls of Congress, Ocean Conservancy educates and empowers people to take action on behalf of the ocean. We make ocean issues accessible and engaging, bringing science, political action and communications together to condition the social climate for change and protect the ocean for future generations.
+
+
+
+ https://staging.giveth.io/project/San-Francisco-Community-Business-Resources-Inc
+ San Francisco Community Business Resources Inc
+ San Francisco Community Business Resources, Inc.’s (“SFCBR”) aim is to build sustainable communities in San Francisco, California by supporting local entrepreneurs and established small businesses primarily from San Francisco’s lowest income neighborhoods, including neighborhoods in Chinatown and the Tenderloin. <br>
+To do so, SFCBR provides comprehensive business consultation services and mentorship programs, as well as educational workshops to help such small businesses thrive in their communities in the hopes of revitalizing emerging neighborhoods. SFCBR’s services are free of charge to any qualifying small business in the San Francisco area.
+
+
+
+ https://staging.giveth.io/project/Cure-Alzheimers-Fund
+ Cure Alzheimers Fund
+ Our mission is to fund research with the highest probability of preventing, slowing or reversing Alzheimer’s Disease through venture based philanthropy. All organizational expenses are paid for by the Founders and Board, allowing all other contributions to be applied directly to Alzheimer’s Disease research.
+
+
+
+ https://staging.giveth.io/project/The-University-of-North-Carolina-at-Chapel-Hill-Foundation-Inc
+ The University of North Carolina at Chapel Hill Foundation, Inc
+ The University of North Carolina at Chapel Hill, the nation’s first public university, serves North Carolina, the United States, and the world through teaching, research, and public service. We embrace an unwavering commitment to excellence as one of the world’s great research universities. Our mission is to serve as a center for research, scholarship, and creativity and to teach a diverse community of undergraduate, graduate, and professional students to become the next generation of leaders.
+
+
+
+ https://staging.giveth.io/project/Conservation-Corps-North-Bay
+ Conservation Corps North Bay
+ Conservation Corps North Bay is the oldest local nonprofit youth conservation corps in the country. Serving Marin and Sonoma Counties since 1982, CCNB has helped thousands of young people achieve their goals through education and job skills, while serving the environment and community. <br><br>We achieve our mission by:<br><br>- Providing young adults with opportunities to transform their lives through paid work, education, employability, civic engagement, and leadership<br><br>- Partnering with the community to conserve and restore natural resources and improve recreational and public areas<br><br>- Fostering diversity, equity, and inclusion<br><br>- Creating the environmental leaders of the future by teaching environmental ethics and behaviors to local youth<br><br>- Making communities safer by reducing hazards and by responding to public emergencies and disasters
+
+
+
+ https://staging.giveth.io/project/North-Texas-Public-Broadcasting-(KERA)
+ North Texas Public Broadcasting (KERA)
+ KERA is a community-supported media organization that delivers distinctive, relevant and essential content to North Texans. Through programming that reflects the spirit and diversity of our region, we provide an invaluable alternative to commercial media. The mission of North Texas Public Broadcasting is to serve North Texans through public television, radio and multimedia resources that educate, engage, inspire, inform and entertain. KERA serves the fourth-largest population area in the country. Each week, more than 2.6 million people connect with KERA through our television and radio broadcast channels, websites, social media and mobile apps.. North Texas Public Broadcasting, KERA’s parent organization, is a not-for profit 501(c)(3) educational organization that, from its earliest days, has largely been funded through the generous financial support from individuals and foundations. Gifts of all sizes help to ensure that KERA remains a relevant, vital and celebrated community resource for all North Texans. KERA serves this community through six public broadcasting stations — KERA TV, KERA News 90.1 FM, KXT 91.7 FM, WRR 101.1 FM, KERA Create, KERA World, and KERA Kids 24/7. Your commitment to high-quality public media ensures educational and cultural programs that strengthen our community and improve lives.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-of-San-Diego-Inc
+ Ronald McDonald House Charities of San Diego, Inc
+ Ronald McDonald House Charities of San Diego provides a “home-away-from-home” for families with children being treated for serious, often life-threatening conditions at local hospitals.
+
+
+
+ https://staging.giveth.io/project/Ronald-McDonald-House-Charities-of-Greater-Cincinnati
+ Ronald McDonald House Charities of Greater Cincinnati
+ Ronald McDonald House Charities of Greater Cincinnati offers a community of compassion, support and the comforts of home to families with critically ill children, steps away from the medical care they need.
+
+
+
+ https://staging.giveth.io/project/PAWS
+ PAWS
+ PAWS is a champion for animals – rehabilitating injured and orphaned wildlife, sheltering and adopting homeless cats and dogs, and educating people to make a better world for animals and people.
+
+
+
+ https://staging.giveth.io/project/Fargo-Air-Museum
+ Fargo Air Museum
+ The Fargo Air Museum is a nonprofit organization that serves to promote interest in aviation through education, preservation and restoration.
+
+
+
+ https://staging.giveth.io/project/Museum-of-the-Moving-Image
+ Museum of the Moving Image
+ Museum of the Moving Image advances the understanding, enjoyment, and appreciation of the art, history, technique, and technology of film, television, and digital media by presenting exhibitions, education programs, significant moving-image works, and interpretive programs, and collecting and preserving moving-image related artifacts.
+
+
+
+ https://staging.giveth.io/project/Israel-on-Campus-Coalition
+ Israel on Campus Coalition
+ Israel on Campus Coalition’s (ICC) mission is to inspire American college students to see Israel as a source of pride and empower them to stand up for Israel on campus. ICC’s role in this effort is to unite the many pro-Israel organizations that operate on campuses across the United States by coordinating strategies, providing educational resources, sharing in-depth research, and maintaining a cutting-edge digital program.
+
+
+
+ https://staging.giveth.io/project/Coalition-of-Parents-in-Esports
+ Coalition of Parents in Esports
+ Coalition of Parents in Esports, Inc. is a 501c3 nonprofit founded by parents of pro esports influencers who have seen the positive benefits of gaming through their own children. The worldwide team is dedicated to promoting gaming, content creation and its online social communities for the personal, education and career development of our youth. COPE provides community, resources and scholarships to ensure kids can pursue exciting educational and career opportunities through their interest in gaming. COPE encourages parents to get involved for the best outcome for the whole family.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Yampa-Inc
+ Friends of the Yampa Inc
+ OUR MISSION IS TO PROTECT AND ENHANCE THE ENVIRONMENTAL AND RECREATIONAL INTEGRITY OF THE YAMPA RIVER AND ITS TRIBUTARIES, THOUGH STEWARDSHIP, ADVOCACY, EDUCATION AND PARTNERSHIPS.
+
+
+
+ https://staging.giveth.io/project/Wave-Farm-Inc
+ Wave Farm, Inc
+ Wave Farm is a non-profit arts organization driven by experimentation with broadcast media and the airwaves. Our programs—Transmission Arts, WGXC-FM, and Media Arts Grants—provide access to transmission technologies and support artists and organizations that engage with media as an art form.
+
+Transmission Arts programs support artists who engage the transmission spectrum, on the airwaves and through public events. The Wave Farm Artist Residency Program is an international visiting artist program. The Transmission Arts Archive presents a living genealogy of artists experiments with broadcast media and the airwaves. Wave Farm Radio is a continuous online radio feed and site-specific broadcast on 1620-AM.
+
+WGXC 90.7-FM is a creative community radio station based in New Yorks Greene and Columbia counties. Hands-on access and participation activate WGXC as a public platform for information, experimentation, and engagement.
+
+Media Arts Grants programs include the New York Media Arts Map and the Media Arts Assistance Fund (MAAF), which support electronic media and film organizations, as well as individual artists, in all regions of New York State through a Regrant Partnership with NYSCA, Electronic Media and Film, as well as fiscal sponsorship.
+
+
+
+ https://staging.giveth.io/project/Facing-Abuse-in-Community-Environments
+ Facing Abuse in Community Environments
+ FACE’s mission is to drive focused cultural change among Muslims that leads to transparent survivor-centered community safety and leader accountability, outside the criminal legal system, for those who abuse their positions of trust and authority.
+
+
+
+ https://staging.giveth.io/project/EngenderHealth
+ EngenderHealth
+ We know that sexual and reproductive health and rights are completely and inextricably intertwined with gender equality. We also know that marginalized groups—such as girls, women, and gender minorities; adolescents and youth; people with disabilities; economically disadvantaged groups; and rural and other hard-to-reach populations—are particularly vulnerable to discriminatory practices that can prevent them from leading healthy lives. But that can change. We believe that if all people are empowered and engaged; and if they live in supportive communities where systems and institutions provide high-quality, gender-equitable sexual and reproductive healthcare; and if policies, laws, and process are supportive, then they will exercise their rights to gender-equitable sexual and reproductive health services and participate as equal members of society.
+
+
+
+ https://staging.giveth.io/project/American-Friends-of-Jordan-River-Village-Foundation
+ American Friends of Jordan River Village Foundation
+ To support Israels only free camp for children living with serious illnesses (ages 9-18) of all religions, ethnic, and socio-economic levels. The Village offers campers the opportunity to experience the magic of camp while leaving their illness related hardships at the door.
+
+
+
+ https://staging.giveth.io/project/Project-Row-Houses
+ Project Row Houses
+ We empower people and enrich communities through engagement, art, & direct action.
+
+
+
+ https://staging.giveth.io/project/Norton-Childrens-Hospital-Foundation
+ Norton Childrens Hospital Foundation
+ The Norton Children’s Hospital Foundation is the philanthropic arm for Norton Children’s pediatric facilities and services. The foundation raises funds exclusively for Norton Children’s Hospital, Kentucky’s only full-service, free-standing hospital created “Just for Kids”; Norton Children’s Medical Center; and pediatric services at Norton Women’s & Children’s Hospital to support programs, equipment, new technologies, clinical research, child advocacy and health education for patients, families, medical staff and the community.<br><br>Norton Children’s Hospital serves all families regardless of their ability to pay. As part of a not-for-profit organization, Norton Children’s facilities rely on the generosity of the community to help fulfill our mission to provide for the physical and emotional health of children, from birth to adulthood. It takes the generosity of everyone in the community to enable Norton Children’s to be here for all children when they need us.. Our donors are individuals, corporations, and foundations.
+
+
+
+ https://staging.giveth.io/project/Brac-USA
+ Brac USA
+ BRAC is an international nonprofit that designs proven, scalable solutions to equip people with the opportunities, skills, and support they need to rise above poverty.
+
+
+
+ https://staging.giveth.io/project/ActionAid-USA
+ ActionAid USA
+ ActionAid is an international network building a just, equitable, and sustainable world in solidarity with communities on the frontlines of poverty and injustice. Together, we tackle the symptoms of unequal power – poverty, hunger, gender-based violence, climate change, conflict, and disaster – and challenge the ideologies, legal systems, and social norms that lie underneath.<br><br>Our vision of the world is one in which every person enjoys the right to a life of dignity, freedom from poverty and all forms of oppression.<br><br>With your support, we can make that vision a reality.
+
+
+
+ https://staging.giveth.io/project/Sonoran-Prevention-Works
+ Sonoran Prevention Works
+ Centering harm reduction in Arizona through participant-driven advocacy, education, and outreach.
+
+
+
+ https://staging.giveth.io/project/Community-of-Franciscan-Friars-of-the-Renewal
+ Community of Franciscan Friars of the Renewal
+ The primary mission of our community is a wholehearted embracing of Jesus Christ and our Holy Father St. Francis. Through our commitment to prayer and contemplation, the study of Sacred Scripture, and our fidelity to the Church and the Sacraments, our fraternal life, and our generous service to others, especially the poor, we receive nourishment necessary to live out our lives as sons of St. Francis in the Capuchin tradition.
+
+
+
+ https://staging.giveth.io/project/Joseph-Co
+ Joseph Co
+ Who we are, in summation - For the last 15+ years we have been a supplier to the less fortunate. Over the last 4+ years alone, we have moved over 5 million pounds of support product. This would be non-exclusively to; orphans, widows, the poor and oppressed, homeless, single moms, the food insecure and those which have no defender. We also reach out to first responders, on many levels, and additionally provide disaster response, relief, and recovery support services. What we do/offer, is considered to be a part of the Critical Sector Essential Workforce. We are a NorCal VOAD (Voluntary Organizations Active in Disaster) member and are in relationship with many national product donors/sponsors. *Note: This is NOT some sort of ministry, hobby or pastime; this is a. Way of Life for us.
+
+
+
+ https://staging.giveth.io/project/International-Committee-of-the-Red-Cross
+ International Committee of the Red Cross
+ The International Committee of the Red Cross (ICRC) is an impartial, neutral and independent organization whose exclusively humanitarian mission is to protect the lives and dignity of victims of armed conflict and other situations of violence and to provide them with assistance.
+
+The ICRC also endeavours to prevent suffering by promoting and strengthening humanitarian law and universal humanitarian principles.
+
+Established in 1863, the ICRC is at the origin of the Geneva Conventions and the International Red Cross and Red Crescent Movement. It directs and coordinates the international activities conducted by the Movement in armed conflicts and other situations of violence.
+
+
+
+ https://staging.giveth.io/project/GLASSTIRE
+ GLASSTIRE
+ Expand the conversation about visual art in Texas.
+
+
+
+ https://staging.giveth.io/project/JDRF-International
+ JDRF International
+ JDRF’s mission is to improve lives today and tomorrow by accelerating life-changing breakthroughs to cure, prevent, and treat type 1 diabetes (T1D) and its complications. We accept all types of gifts, including those from individuals, corporations, foundations, and peer to peer fundraising events. We primarily receive gifts from US parties, but accept gifts from international sources as well.
+
+
+
+ https://staging.giveth.io/project/Texas-Suicide-Prevention-Collaborative
+ Texas Suicide Prevention Collaborative
+ We build, strengthen and support communities to ensure Texas is suicide safer for everyone. Through outreach, education, technical assistance, training and collaboration, local communities and statewide partners work together to build a suicide safer Texas.
+
+
+
+ https://staging.giveth.io/project/Integrated-Resources-Institute
+ Integrated Resources Institute
+ Consulting and education for rehabilitation field and job placement services for persons with disabilities
+
+
+
+ https://staging.giveth.io/project/Little-Pink-Houses-Breast-Cancer-Family-Retreats
+ Little Pink Houses- Breast Cancer Family Retreats
+ The breast cancer journey can be financially, emotionally, and physically exhausting for patients and their families and at a time where support is needed more than ever, that is where Little Pink steps in! We provide free week-long retreat vacations for cancer patient families 22 different weeks of the year! Our retreat programming provides housing, meals, activities and creates an environment of healing and support. Simply put- we embrace families with a great big hug when they need it the most!
+
+
+
+ https://staging.giveth.io/project/Arukah-Project
+ Arukah Project
+ Arukah Project is a 501(c)(3) non-profit that works to restore, renew, and rebuild the lives of survivors of sex trafficking in Santa Cruz County and beyond. Our integrated approach engages and empowers the local church, businesses, government agencies, and community stakeholders to collaborate to bring wholeness and freedom.
+
+
+
+ https://staging.giveth.io/project/Friends-of-the-Environment-Inc
+ Friends of the Environment Inc
+ Friends of the Environment Inc. supports the work of community organisations in Abaco, The Bahamas, with a focus on education, conservation, and research facilitation.
+
+
+
+ https://staging.giveth.io/project/The-Earth-Species-Project
+ The Earth Species Project
+ Earth Species Project is a non-profit dedicated to using artificial intelligence to decode non-human communication.
+We believe that an understanding of non-human languages will transform our relationship with the rest of nature.
+Along the way, we are building solutions that are supporting real conservation impact today.
+
+
+
+ https://staging.giveth.io/project/Paramount-and-State-Theatres
+ Paramount and State Theatres
+ Inspired by the power of the arts to change lives, the Austin Theatre Alliance strives to engage all Central Texans through extraordinary live performances and films, to ignite the intellect and imagination of our youth, and to ensure the preservation of the crown jewels of downtown Austin.
+
+
+
+ https://staging.giveth.io/project/Lifespan-Extension-Advocacy-Foundation-Inc
+ Lifespan Extension Advocacy Foundation Inc
+ We work to promote a world free of age-related diseases by providing high-quality research news the public can trust, information that policymakers, doctors, and advocates can rely upon to build longevity-promoting healthcare systems, and an ecosystem where investors and researchers can coordinate their efforts to bring aging under medical control and see long-term returns for themselves and all humankind.
+
+
+
+ https://staging.giveth.io/project/MATTER
+ MATTER
+ We help people launch projects that improve communities.
+
+
+
+ https://staging.giveth.io/project/The-American-India-Foundation
+ The American India Foundation
+ The American India Foundation is committed to catalyzing social and economic change in India and building a lasting bridge between the United States and India through high-impact interventions in education, livelihoods, public health, and leadership development, with a particular emphasis on empowering girls and women to achieve gender equity. Working closely with local communities, AIF partners with NGOs to develop and test innovative solutions and with governments to create and scale sustainable impact. Founded in 2001 at the initiative of President Bill Clinton following a request from Prime Minister Vajpayee, AIF has impacted the lives of 12.9 million of India’s poor in thirty-one states and union territories.
+
+
+
+ https://staging.giveth.io/project/Dazzle-Africa
+ Dazzle Africa
+ Dazzle Africa is a unique nonprofit that collaborates with local organizations in Zambia to provide financial and logistic support for programs in wildlife conservation, education, and community development. Our goal is to ensure that communities become resilient and self-sufficient, and that iconic African wildlife thrive.
+
+
+
+ https://staging.giveth.io/project/giveth-2021:-retreat-to-the-future
+ Giveth 2021: Retreat to the Future
+ We have lots of space, high speed internet, food falling from the trees, epic
+waterfalls and nature experiences to balance out all the time we spend on our
+computers. Let's get the team together in Costa Rica!
+
+
+
+ https://staging.giveth.io/project/giveth
+ Giveth
+ The future of Giving Unlike traditional charity, with Giveth every donation and
+pledge is transparent, so you always know exactly where your donation went and
+get a good sense of the impact it made in direct communication with your
+beneficiary.
+
+
+
+ https://staging.giveth.io/project/Slack
+ Slack
+ There walked into the room a chimpanzee, shaggy and grey about the muzzle, yet
+upright to his full five feet, and poised with natural majesty. He carried a
+scroll and walked to the young men. "Gentlemen," he said, "why does Pickering's
+Moon go about in reverse orbit? Gentlemen, there are nipples ...
+
+
+
+ https://staging.giveth.io/project/hugenduben-0
+ Hugenduben
+ The cactus, guarded with thorns - the laurel-tree, with large white flowers; The
+range afar - the richness and barrenness - the old woods charged with mistletoe
+and trailing moss, The piney odor and the gloom - the awful natural stillness,
+(Here in these dense swamps the freebooter carries his gu...
+
+
+
+ https://staging.giveth.io/project/just-a-ride
+ Just a ride!!!!!!!
+ “The world is like a ride in an amusement park, and when you choose to go on it
+you think it's real because that's how powerful our minds are. The ride goes up
+and down, around and around, it has thrills and chills, and it's very brightly
+colored, and it's very loud, and it's fun for a while. Man...
+
+
+
+ https://staging.giveth.io/project/can-i-change-the-title-too
+ can I change the title too
+ I just want to change some tect here
+what about here now...I just want to change some tect here
+what about here now...I just want to change some tect here
+what about here now...I just want to change some tect here
+what about here now...I just want to change some tect here
+what about here now...I ...
+
+
+
+ https://staging.giveth.io/project/the-hovering-hand
+ The Hovering Hand
+ This project is about checking the status of the hovering hand
+
+
+
+ https://staging.giveth.io/project/save-the-doges
+ Save the Doges
+ A project dedicated to helping the goodest boys and girls
+
+
+
+ https://staging.giveth.io/project/test101000
+ test101000
+ test
+
+
+
+ https://staging.giveth.io/project/who-wants-more-crabs
+ Who wants more crabs?
+ testing to see if theres any other crabs out there
+
+
+
+ https://staging.giveth.io/project/test-hamid
+ Test Hamid
+ Dokhte bandar naze valla
+
+
+
+ https://staging.giveth.io/project/omo-romo
+ Omo romo
+ We like watching tv while regaling each other with the wisdom found on the
+inside of chappie wrappers.
+
+
+
+ https://staging.giveth.io/project/testgnosis25
+ testgnosis25
+ test
+
+
+
+ https://staging.giveth.io/project/testmarya
+ testmarya
+ yy
+
+
+
+ https://staging.giveth.io/project/ram-6th-2nd-edi
+ Ram 6th 2nd edi
+ CREATE A NEW PROJECT
+Cancel
+PROJECT NAME
+DESCRIPTION
+CATEGORY
+IMPACT
+IMAGE
+ETH ADDRESS
+What is your project about?How To Write A Great Project Description
+
+
+
+ https://staging.giveth.io/project/new-form-test
+ New form test
+ xgsd s fsd s
+f
+sd
+fs
+df
+fsdfsfsdf
+
+
+
+ https://staging.giveth.io/project/MirrorMorph:-Endless-Iteration-0
+ MirrorMorph: Endless Iteration
+ IDENTITY: DIVISIONS
+If the first, second, and third actions you take on your turn are different from
+each other, when the third completes, you may gain 1credit or take another
+different action, paying 1click less.
+
+
+
+ https://staging.giveth.io/project/gnosis-safe-test
+ Test gnosis safe multi sig donations
+ BUILDING THE FUTURE OF GIVING, WITH YOU.
+Join Giveth
+
+
+
+ https://staging.giveth.io/project/project-to-get-traceable-2
+ project to get traceable 2
+ BUILDING THE FUTURE OF GIVING, WITH YOU.
+Join Giveth
+
+
+
+ https://staging.giveth.io/project/ram-first-project
+ Ram first project
+ Giveth is BACK! Live!
+& Building a 2.0 version as a DAO with the goal of enabling cryptoeconomic
+solutions for nonprofit causes.
+You can view our meeting notes here and call recordings here, and if you are
+really inspired to get involved please join our weekly community call, details
+posted in o...
+
+
+
+ https://staging.giveth.io/project/testing-ens
+ Testing ENS
+ Sing, O goddess, the anger of Achilles son of Peleus, that brought countless
+ills upon the Achaeans. Many a brave soul did it send hurrying down to Hades,
+and many a hero did it yield a prey to dogs and vultures, for so were the
+counsels of Jove fulfilled from the day on which the son of Atreus, ...
+
+
+
+ https://staging.giveth.io/project/testtttttttt
+ testtttttttt
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/who-wants-more-crabzzzzzzz-test
+ Who wants more crabzzzzzzz TEST
+ synsynatgae5533gg
+
+
+
+ https://staging.giveth.io/project/james-test-project-co2ken
+ James test project - CO2ken
+ This is great
+
+
+
+ https://staging.giveth.io/project/anchor-test-3
+ Anchor Test 3
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/testtt
+ testtt
+ testtt
+
+
+
+ https://staging.giveth.io/project/ram-second-torus
+ Ram second torus
+ return (
+<div className="p-5">
+<h2>Please confirm your identity</h2>
+<div className="d-flex align-items-start flex-wrap mx-auto
+justify-content-center">
+{avatar && <img className="mr-3 mt-1 rounded-circle" width={70} src={avatar}
+alt={name} />}
+<div className="text-left">
+<div className="d-flex a...
+
+
+
+ https://staging.giveth.io/project/testprofilepic
+ testprofilepic
+ test
+
+
+
+ https://staging.giveth.io/project/testalloprofilemj
+ testalloprofilemj
+ TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/testallov10
+ testAllov10
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-project-op1
+ test project op1
+ test
+
+
+
+ https://staging.giveth.io/project/alirezatest
+ AlirezaTest
+ Testing
+
+
+
+ https://staging.giveth.io/project/horses-in-space
+ Horses in space
+ Horses should have fair representation in space travel. We advocate and
+fundraise to make this happen.
+
+
+
+ https://staging.giveth.io/project/the-teen-project-inc
+ The Teen Project, Inc.
+ The mission of the Teen Project is to provide healing and hope to young women
+who have survived human trafficking and homelessness, many from foster care, by
+innovating programs focused on drug treatment, psychotherapy, life skills,
+higher education and mentoring all with a trauma-informed lens.
+
+
+
+ https://staging.giveth.io/project/adsas-da-dasd
+ adsas da dasd
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Goerli
+CREATE A PROJECT
+Project Name13/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY...
+
+
+
+ https://staging.giveth.io/project/forward-justice
+ Forward Justice
+ Forward Justice is a law, policy, and strategy center dedicated to advancing
+racial, social, and economic justice by partnering with human rights
+organizations at the forefront of social movements in the U.S. South. Our work
+catalyzes success for movements and expands opportunities for people aff...
+
+
+
+ https://staging.giveth.io/project/change-the-title
+ change the title
+ add a description here
+
+
+
+ https://staging.giveth.io/project/jk_testproject-3
+ JK_TestProject 3
+ JK_TestProject 3
+
+
+
+ https://staging.giveth.io/project/test-adminuser-success-test-adminuser-success-test-admi
+ test adminUser success test adminUser success test admi
+ COMPATIBILITY
+Any address generated with Vanity-ETH is ERC-20 compatible, which means you can
+use it for an ICO, an airdrop, or just to withdraw your funds from an
+exchange.The keystore file is 100% compatible with MyEtherWallet, MetaMask,
+Mist, and geth.
+
+
+
+ https://staging.giveth.io/project/testsamartcontract
+ testsamartcontract
+ testsamartcontract
+
+
+
+ https://staging.giveth.io/project/vd-caring-foundation
+ VD Caring Foundation
+ Project Description:
+Welcome to the VD Caring Foundation, where we are committed to transforming the
+lives of the less privileged individuals and empowering them to become valued
+members of society. Our mission is to bridge the gap between privilege and
+disadvantage by providing essential support...
+
+
+
+ https://staging.giveth.io/project/mary00000
+ mary00000
+ nnnn
+
+
+
+ https://staging.giveth.io/project/who-wants-more-crabs-crabs
+ Who wants more crabs crabs?
+ crabby crab Y no work this morningcrabby crab Y no work this morningcrabby crab
+Y no work this morningcrabby crab Y no work this morningcrabby crab Y no work
+this morningcrabby crab Y no work this morningcrabby crab Y no work this
+morningcrabby crab Y no work this morningcrabby crab Y no work thi...
+
+
+
+ https://staging.giveth.io/project/elizabeth-glaser-pediatric-aids-foundation
+ Elizabeth Glaser Pediatric AIDS Foundation
+ The Elizabeth Glaser Pediatric AIDS Foundation (EGPAF) is a proven leader in the
+fight for an AIDS-free generation and an advocate for children, youth, and
+families to live long, healthy lives. Founded over 30 years ago through a
+mother’s determination, EGPAF is committed to a comprehensive respo...
+
+
+
+ https://staging.giveth.io/project/test-unsplash
+ test unsplash
+ test unsplash
+
+
+
+ https://staging.giveth.io/project/test-5555
+ Test 5555
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/asdasd-asd-a
+ asdasd asd a
+ CREATE A PROJECT
+1
+Ramin stag
+Connected to Goerli
+CREATE A PROJECT
+Project Name12/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+...
+
+
+
+ https://staging.giveth.io/project/my-test-1
+ My test 1
+ This is my test
+
+
+
+ https://staging.giveth.io/project/i-want-to-make-an-incredibly-prolongated-test-project.
+ I want to make an incredibly prolongated test project.
+ Hold on let me think...
+
+
+
+ https://staging.giveth.io/project/test-nation
+ Test Nation
+ testing how to create project
+
+
+
+ https://staging.giveth.io/project/help-latam-breakdancers-get-to-the-olympics
+ Help LATAM Breakdancers get to the Olympics
+ WHAT?
+Breakdancing is the new sport at the 2024 Paris Olympics that everyone is
+waiting to see. This art/dance/sport that was born in the late 70s in the Bronx,
+NY is now officially part of the Olympic league.
+Monse and Luis want to be the first Bboy and Bgirl to represent Mexico and Latin
+Americ...
+
+
+
+ https://staging.giveth.io/project/testaaaaaaaa-tell-us-about-your-project-about-yourrrrrr
+ TESTAAAAAAAA Tell us about your project about yourrrrrr
+ tes
+
+
+
+ https://staging.giveth.io/project/maryam-jafarymehr
+ maryam jafarymehr
+ yyy
+
+
+
+ https://staging.giveth.io/project/testmanageaddress
+ testmanageaddress
+ test
+
+
+
+ https://staging.giveth.io/project/testetc
+ testETC
+ TESTTELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABO...
+
+
+
+ https://staging.giveth.io/project/Whales-are-important-0
+ Whales are important
+ Space Is an Ocean. This is a well-known phenomenon... For some reason, though,
+the ocean of space is pretty much devoid of fish.
+But not of whales.
+Somehow, at some point (probably in the 1970s), the ideas of space and whales
+became permanently interwoven in the collective unconscious. Why? No on...
+
+
+
+ https://staging.giveth.io/project/2018-cmb
+ 2018 CMB
+ Just noticed that the three kings from the far east who bring gold, mhyr and
+whatever its called in english did not come to this house I am living in since
+2018. Don't care much but this had to be about something! This is an edit!
+
+
+
+ https://staging.giveth.io/project/add-test-project-with-celo
+ Add Test Project with Celo
+ Celo is nice ok
+
+
+
+ https://staging.giveth.io/project/testpic101
+ testpic101
+ test description
+test
+testtt
+234
+testa
+34r4
+
+
+
+ https://staging.giveth.io/project/jungle-jam
+ Jungle Jam
+ A jungle/music celebration.
+
+
+
+ https://staging.giveth.io/project/ba-ye-c200
+ Ba ye C200
+ Kheyli jamo joor
+
+
+
+ https://staging.giveth.io/project/testetc-1000
+ testetc 1000
+ TESTELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+ELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+ELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+ELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/test-multi-recipient-addresses
+ Test Multi Recipient Addresses
+ Test Multi Recipient Addresses
+😜😓
+
+
+
+ https://staging.giveth.io/project/help-marko-don't-burn-out
+ Help Marko don't burn out
+ The feelings of exhaustion and frustration that follow are typical of burnout.
+When you begin to experience burnout, it can make you avoid work, question the
+value of your existence, and eat large quantities of Oreo cookies while watching
+bad television. Help me!
+
+
+
+ https://staging.giveth.io/project/save-the-needy
+ Save the needy
+ Save the needy is an orphanage home that helps and save kids and give them a
+life.
+
+
+
+ https://staging.giveth.io/project/testing-celoo
+ Testing Celoo
+ Testing Celoo
+
+
+
+ https://staging.giveth.io/project/infinity-keys
+ Infinity Keys
+ Infinity Keys is gaming infrastructure for user-created missions that link to
+analog or digital experiences.
+
+
+
+ https://staging.giveth.io/project/permaledger-urban-permaculture
+ Permaledger Urban Permaculture
+ There are major challenges affecting our current food supplies and we have a
+situation where most food is consumed in towns and cities and yet our food
+typically comes from hundreds or thousands of miles away and often across
+oceans. The Permaledger project intends to address this by creating cir...
+
+
+
+ https://staging.giveth.io/project/test-card-alt
+ test card alt
+ WHAT'S A VANITY ADDRESS?
+A vanity address is an address which part of it is chosen by yourself, making it
+look less random.Examples: 0xc0ffee254729296a45a3885639AC7E10F9d54979,
+or 0x999999cf1046e68e36E1aA2E0E07105eDDD1f08E
+HOW IT WORKS
+Enter the prefix/suffix of your choice, and click ‘generate’ ...
+
+
+
+ https://staging.giveth.io/project/test-polygon-2
+ test polygon 2
+
+
+
+
+ https://staging.giveth.io/project/cleanwave-plastic-free-barcelona-beaches
+ CleanWave - Plastic-Free Barcelona Beaches
+ CleanWave is a community-driven initiative aimed at making Barcelona's beautiful
+beaches plastic-free. Our mission is to mobilize local residents, tourists, and
+businesses to participate in regular beach clean-up events, educational
+programs, and sustainable practices to reduce plastic waste.
+Pla...
+
+
+
+ https://staging.giveth.io/project/buy-snacks-for-s2-ambassadors
+ Buy Snacks for S2 Ambassadors
+ Onboarding projects builds an appetite
+
+
+
+ https://staging.giveth.io/project/Lucky
+ Lucky
+ Mateo I'm trying!!
+RICH TEXT IS TOO TEMPTING THO...
+> who could actually resist playing a LITTLE?
+but I'm thinking this one is lucky number 7
+no way this one doesn't work
+It will work because:
+ * I believe in it
+ * I believe in you
+ * I believe in US
+YOU'RE LUCKY LUCKY, YOU'RE SO LUCKY
+https://ww...
+
+
+
+ https://staging.giveth.io/project/mayatestoiii
+ mayatestoiii
+ testtt
+
+
+
+ https://staging.giveth.io/project/testir
+ testir
+ testir
+
+
+
+ https://staging.giveth.io/project/testpfp010
+ testpfp010
+ test
+
+
+
+ https://staging.giveth.io/project/test-unsplash-2
+ Test unsplash 2
+ dfdsfdsfsasdassa
+sdlklksajdsalksjljklskdjl
+lskdjslkjdlkjlksaj
+😑
+
+
+
+ https://staging.giveth.io/project/testcase01
+ testcase01
+ testt
+
+
+
+ https://staging.giveth.io/project/testsolanaaddress
+ testSolanaAddress
+ TEST
+
+
+
+ https://staging.giveth.io/project/nft-para-ayudar-a-ninos-de-la-calle
+ NFT para ayudar a ninos de la calle
+ Los NFT son una manera de enviar un mensaje al mundo es por ello que, se nos
+ocurre crear un proyecto para ejecutar y impulsar una colección de nft que ayude
+a los mas pequeños en la ciudad de ccs.
+los fondos recolectados serán invertidos de manera responsable para crear
+rendimientos los cuales i...
+
+
+
+ https://staging.giveth.io/project/Test-status-integration-with-Trace-0
+ Test status integration with Trace
+ ijspgijbsojgntsinhpbndtyuijhnt
+
+
+
+ https://staging.giveth.io/project/testaaa10000
+ testaaa10000
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/currently-if-i-have-a-really-long-project-name-eg-ma
+ currently if I have a really long project name e.g. ma
+ asd
+
+
+
+ https://staging.giveth.io/project/testcelo
+ testcelo
+ test
+
+
+
+ https://staging.giveth.io/project/help-tehran
+ Help Tehran
+ Help Us Please.
+
+
+
+ https://staging.giveth.io/project/test4
+ test4
+ test4
+
+
+
+ https://staging.giveth.io/project/testcelo01
+ testcelo01
+ test
+
+
+
+ https://staging.giveth.io/project/help-ronaldo
+ help Ronaldo
+ Wow
+
+
+
+ https://staging.giveth.io/project/tstnft
+ tstnft
+ test
+
+
+
+ https://staging.giveth.io/project/category2
+ category2
+ test
+
+
+
+ https://staging.giveth.io/project/testtttaaaaaa
+ testtttaaaaaa
+ tedt
+
+
+
+ https://staging.giveth.io/project/rystyn-with-space-sd-ds-ds
+ Rystyn with space sd ds ds
+ dfdsf dsf dsf
+df dsf sdfd
+dfkl sdflk jdsf
+lkdjf ldskfj sdlkjm
+
+
+
+ https://staging.giveth.io/project/d-asdas-dasdtest-1232
+ d asdas dasdTest 1232
+ This is a test
+
+
+
+ https://staging.giveth.io/project/nojack
+ nojack
+ asdf
+
+
+
+ https://staging.giveth.io/project/new-verification-dapp-test
+ New Verification Dapp test
+ everything started in costa rica test
+
+
+
+ https://staging.giveth.io/project/marko-is-testing-this-awesome-website
+ Marko is Testing this AWESOME website
+ Testing testing YEAH!
+
+
+
+ https://staging.giveth.io/project/lodatodo
+ lodatodo
+ ETHmagnus³ is a platform for effective altruism, a better world through and open
+source community, to push the decentralized ecosystem forward.🙋 Applying
+tenants of effective altruism to achieve maximum impact for all actions taken
+and supporting charities who do the same. Helping poor, disadv...
+
+
+
+ https://staging.giveth.io/project/mayamayatest
+ MAYAMAYATEST
+ TTTTTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+...
+
+
+
+ https://staging.giveth.io/project/test
+ Test
+
+
+
+
+ https://staging.giveth.io/project/save-the-coral
+ Save the coral
+ Saving coral
+
+
+
+ https://staging.giveth.io/project/test-1-0
+ test 1
+ Some details
+
+
+
+ https://staging.giveth.io/project/testaopop
+ testaopop
+ test
+
+
+
+ https://staging.giveth.io/project/buy-snacks-for-ambassadors
+ Buy Snacks for Ambassadors
+ The funds raised from this project will be used to provide hard-working
+ambassadors with nourishing snacks to keep doing the good work.
+
+
+
+ https://staging.giveth.io/project/helping-julian-mello-fly-again-move-again
+ Helping Julian Mello fly again... move again
+ Julian is a paragliding pilot in Piedechinche and a very important community
+member.
+Due to an accident and has been in a wheelchair for several years. He needs our
+help with medical expenses for specialized treatment in Ecuador. Although he has
+shown his disability can't keep him from flying, th...
+
+
+
+ https://staging.giveth.io/project/herramientas-para-el-futuro
+ Herramientas para el futuro
+ Ayuda a los zapateros del sur de Merida a obtener herramientas y obten sus
+servicios
+
+
+
+ https://staging.giveth.io/project/add-optimistim-test1
+ Add optimistim Test1
+ wow che domi che sari ajab payii
+
+
+
+ https://staging.giveth.io/project/acc1-active-project-0
+ Acc1 Active Project
+ dfdf df df df df dfd
+
+
+
+ https://staging.giveth.io/project/trish
+ trish
+ thriushin
+
+
+
+ https://staging.giveth.io/project/amin-3-first-project
+ Amin 3 First Project
+
+
+
+
+ https://staging.giveth.io/project/ram-second-project-23
+ Ram second project 23
+ HOW MANY REFUGEES ARE THERE AROUND THE WORLD?
+At least 79.5 million people around the world have been forced to flee their
+homes. Among them are nearly 26 million refugees, around half of whom are under
+the age of 18.
+There are also millions of stateless people, who have been denied a nationality...
+
+
+
+ https://staging.giveth.io/project/test-project-3
+ test project -3
+ PostHog puts significant effort into ensuring it doesn't capture sensitive data
+from your website. However, if there are specific elements you want to ensure
+aren't captured, you can add the ph-no-capture class name.
+PostHog puts significant effort into ensuring it doesn't capture sensitive data
+...
+
+
+
+ https://staging.giveth.io/project/testfagha
+ testFagha
+ This is Fagha first test project
+
+
+
+ https://staging.giveth.io/project/test123
+ test123
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA...
+
+
+
+ https://staging.giveth.io/project/adadsad
+ adadsad
+ NAME OF YOUR PROJECT
+TELL US ABOUT YOUR PROJECT...
+NAME OF YOUR PROJECT
+TELL US ABOUT YOUR PROJECT...
+NAME OF YOUR PROJECT
+TELL US ABOUT YOUR PROJECT...
+
+
+
+ https://staging.giveth.io/project/test-15
+ Test 15
+ asdasd
+
+
+
+ https://staging.giveth.io/project/Ram-camp-owner-test-changing-user-while-creating-proj-0
+ Ram camp owner test changing user while creating proj
+ adaddfgdfg
+dg
+d
+gdfgdg
+af
+
+
+
+ https://staging.giveth.io/project/Ram-third-metamask-0
+ Ram third metamask
+ Home
+Projects
+GIVeconomy
+Community
+CREATE A PROJECT
+0
+Ram camp owner
+Connected to xDAI
+Ram third metamaskby Ram Meta
+Iraq
+Description
+Updates0
+Donations
+Traces
+What is your project about?How To Write A Great Project Description
+DONATE
+Traceable
+GIVERS: 0
+DONATIONS: 0
+COMMUNITY
+FOOD
+1
+Share
+Be the...
+
+
+
+ https://staging.giveth.io/project/alireza-test-6
+ Alireza test 6
+ Alireza Test 6
+
+
+
+ https://staging.giveth.io/project/Phish-Testing-Users-1
+ Phish Testing Users
+ Mars put-off phish testing their users. And even though their delay was only
+four weeks past their normal pattern, they saw that their people were more
+susceptible to attack. At a time when phishing trends are exponentially
+increasing, you can’t afford to let your employees lose ground. Training ...
+
+
+
+ https://staging.giveth.io/project/checkit
+ checkit
+ testaaa
+
+
+
+ https://staging.giveth.io/project/final-onboard-test-0
+ final onboard test
+ CREATE A NEW PROJECT
+What is your project about?
+CREATE A NEW PROJECT
+What is your project about?
+CREATE A NEW PROJECT
+What is your project about?
+/create
+
+
+
+ https://staging.giveth.io/project/metafest
+ Metafest
+
+
+
+
+ https://staging.giveth.io/project/testing-image-uploading-worked
+ Testing image uploading worked
+ making sure that all project owners everywhere can upload an image
+
+
+
+ https://staging.giveth.io/project/my-amazing-project
+ my amazing project
+
+
+
+
+ https://staging.giveth.io/project/testauser
+ testauser
+ test
+
+
+
+ https://staging.giveth.io/project/dragonballgt-0
+ dragonballgt
+ I love itttttt
+
+
+
+ https://staging.giveth.io/project/here-to-see-what-happens
+ here to see what happens
+ agregatgatg
+
+
+
+ https://staging.giveth.io/project/pupper-test
+ pupper test
+ making this to test weird bugs uh oh
+www.google.com
+😥
+
+
+
+ https://staging.giveth.io/project/what-happens-now-0
+ what happens now
+ wow this description sucks
+😱
+
+
+
+ https://staging.giveth.io/project/this-is-my-project
+ This is my project
+ Timber slats that mimic the surrounding treeline wrap around a shed in Akaroa,
+New Zealand, which was designed by architecture studio Fabric to transform into
+a light sculpture at night.
+Named Nightlight, the 10-square-meter shed is located in a clearing among kānuka
+trees and is part of a plan t...
+
+
+
+ https://staging.giveth.io/project/testyettthh0x01798d6587a216aa4728fadca1ef46db196ab12a
+ testyettthh0x01798d6587A216aa4728FaDCA1Ef46DB196aB12A
+ test ttttt
+
+
+
+ https://staging.giveth.io/project/test-create-project-tue
+ test create project Tue
+ dsddqwedewdwe
+
+
+
+ https://staging.giveth.io/project/test-123
+ test 123
+ testtetetste
+We put Christian principles into practice through programs that build healthy
+spirit, mind and body for all. The YMCA of the Suncoast in an integral part of
+the community. From families to seniors, young kids to teens, all belong at the
+Y where everyone has the chance to grow, develo...
+
+
+
+ https://staging.giveth.io/project/test-jk2
+ TEST JK2
+ TEST JK2TEST JK2TEST JK2
+
+
+
+ https://staging.giveth.io/project/jk_project-4
+ JK_Project 4
+ JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project
+4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project
+4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project
+4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project 4JK_Project
+4JK_Projec...
+
+
+
+ https://staging.giveth.io/project/jk-project-july-8th-2022
+ JK Project July 8th 2022
+ We are inviting you to step into the dream we hold. To become a part of the
+community that funds place-based Osa weavers and stewards for the essential work
+and grassroots projects they are carrying out. To help upcycle the current
+economic system with equitable distribution of capitals and more ...
+
+
+
+ https://staging.giveth.io/project/create-project-jk-edit-project
+ Create Project JK EDIT PROJECT
+ Create Project JK
+
+
+
+ https://staging.giveth.io/project/basic-school-supplies
+ Basic school supplies
+ This project will provide basic school supplies to out-of-school children in
+various public schools in Oji-River. 18.5 children are out of school in Nigeria
+and 10.5 million children are girls. Supporting this initiative will help close
+the gap by helping more underprivileged children to stay in ...
+
+
+
+ https://staging.giveth.io/project/widows-and-orphans
+ Widows and orphans
+ Supporting widows and orphans through feeding and empowerment initiatives to
+improve their lives and future prospects.
+
+
+
+ https://staging.giveth.io/project/test-unsplash-4
+ test unsplash 4
+
+
+
+
+ https://staging.giveth.io/project/james-test
+ James test
+ asdf
+
+
+
+ https://staging.giveth.io/project/testing-email-notifications-2
+ Testing email notifications #2
+ Trying again
+
+
+
+ https://staging.giveth.io/project/surely-i-am-not-a-contract
+ Surely I am not a contract
+ aoigrnteougnatgo
+
+
+
+ https://staging.giveth.io/project/testing
+ Testing
+ testing test test
+
+
+
+ https://staging.giveth.io/project/test-1
+ test
+ So fucking cool
+
+
+
+ https://staging.giveth.io/project/testing-email-notifications
+ Testing email notifications
+ Do email notifications work? Let's find out!
+
+
+
+ https://staging.giveth.io/project/test-2
+ test
+ asdfsadf
+
+
+
+ https://staging.giveth.io/project/can-this-be-it
+ can this be it
+ nice test
+
+
+
+ https://staging.giveth.io/project/test-my-segment
+ Test my segment
+ asdfsadf
+
+
+
+ https://staging.giveth.io/project/very-fast-test
+ very fast test
+ VERY FAST
+
+
+
+ https://staging.giveth.io/project/latest-test-in-staging-jan-22
+ latest test in staging jan 22
+ This is a test to check if all is good good
+
+
+
+ https://staging.giveth.io/project/test-create-project-monday
+ test create project Monday
+ dadsadasdada
+
+
+
+ https://staging.giveth.io/project/why-more-projects
+ why more projects
+
+
+
+
+ https://staging.giveth.io/project/ram-test-global-impact-2
+ Ram test global impact 2
+
+
+
+
+ https://staging.giveth.io/project/testing-cronjob
+ testing cronJob
+ this is to test the automated listed timer
+
+
+
+ https://staging.giveth.io/project/unicorn-dac-1
+ Unicorn DAC
+ The Unicorn DAC, a non-hierarchical decentralized governance experimentWhy are
+bosses necessary? They arent. Self-managed organizations exist all over the
+world, but there is no template for how a ...
+
+
+
+ https://staging.giveth.io/project/testing-create-project-tue-second-0
+ testing create project Tue second
+ I 'm adding description
+
+
+
+ https://staging.giveth.io/project/unicorn-dac-2
+ Unicorn DAC
+ The Unicorn DAC, a non-hierarchical decentralized governance experimentWhy are
+bosses necessary? They arent. Self-managed organizations exist all over the
+world, but there is no template for how a ...
+
+
+
+ https://staging.giveth.io/project/test-new-form-2
+ Test new form 2
+
+
+
+
+ https://staging.giveth.io/project/test-7
+ test 7
+ test
+a
+description
+
+
+
+ https://staging.giveth.io/project/test-4
+ test 4
+
+
+
+
+ https://staging.giveth.io/project/i-am-testing-on-staging-1
+ I am testing on staging
+ This is some cool stuff
+
+
+
+ https://staging.giveth.io/project/unicorn-dac
+ Unicorn DAC
+ The Unicorn DAC, a non-hierarchical decentralized governance experimentWhy are
+bosses necessary? They arent. Self-managed organizations exist all over the
+world, but there is no template for how a ...
+
+
+
+ https://staging.giveth.io/project/i-want-a-high-five
+ I want a high five
+ It's all I ever wanted
+
+
+
+ https://staging.giveth.io/project/test-categories
+ test categories
+ asdasd as das as d
+
+
+
+ https://staging.giveth.io/project/another-project
+ another project
+ sure thing boss
+
+
+
+ https://staging.giveth.io/project/test-ens-address
+ test ens address
+
+
+
+
+ https://staging.giveth.io/project/ram-test-global-impact
+ Ram test global impact
+
+
+
+
+ https://staging.giveth.io/project/ddadsadsa
+ ddadsadsa
+ dasdsadasdasdas
+
+
+
+ https://staging.giveth.io/project/Open-Dharma-Foundation-0
+ Open Dharma Foundation
+ Open Dharma Foundation is a scholarship fund for silent meditation retreats. It
+exists in order to provide individuals from all over the world with scholarships
+for silent meditation retreats who without financial aid would be unable to
+access sustained, intensive practice. If you are someone int...
+
+
+
+ https://staging.giveth.io/project/ram-test-google-map
+ Ram test google map
+
+
+
+
+ https://staging.giveth.io/project/test-project
+ test project
+ GEtting familiar with Giveth.io
+
+
+
+ https://staging.giveth.io/project/who-wants-more-crabs-1
+ Who wants more crabs?
+ atgtgega5ga
+
+
+
+ https://staging.giveth.io/project/Test-onboard-sec-0
+ Test onboard sec
+ How to write a great project descriptionTry to use this structure as a guide
+when writing the description:
+ 1. who?
+ 2. what?
+ 3. why?
+ 4. where?
+ 5. how?
+ 6. when?
+
+
+
+ https://staging.giveth.io/project/test-default-image-0
+ test default image
+ What is your project about?How To Write A Great Project Description
+
+
+
+ https://staging.giveth.io/project/asd
+ asd
+ asd
+
+
+
+ https://staging.giveth.io/project/test-77
+ test 77
+ a
+
+
+
+ https://staging.giveth.io/project/why-dont-we-check-this-out-0
+ why dont we check this out
+ try another project description - am I still listed?
+
+
+
+ https://staging.giveth.io/project/proj-address-duplic
+ proj address duplic
+
+
+
+
+ https://staging.giveth.io/project/testing-for-verification-link
+ testing for verification link
+ why does this work ehre
+
+
+
+ https://staging.giveth.io/project/testy-ts
+ testy ts
+ asd
+
+
+
+ https://staging.giveth.io/project/ffff
+ FFFF
+ DFFFFFFFFFFFFFFFFFFFFFF
+
+
+
+ https://staging.giveth.io/project/testautomaticlistingwednesday
+ Testautomaticlistingwednesday
+ sojhoisjhtioj
+
+
+
+ https://staging.giveth.io/project/this-is-a-test-on-staging
+ this is a test on staging
+ This is a test man
+
+
+
+ https://staging.giveth.io/project/arfvadv
+ arfvadv
+ atrythrybrah
+
+
+
+ https://staging.giveth.io/project/test-categories-2-0
+ test categories 2
+
+
+
+
+ https://staging.giveth.io/project/my-new-project
+ my new project
+ this project is to see if the new project tag appears
+
+
+
+ https://staging.giveth.io/project/TESting_-0
+ TESting_
+ why don't we change this description
+
+
+
+ https://staging.giveth.io/project/testintg-this-heckn-thing
+ testintg this heckn thing
+ sure thing buddy boy
+
+
+
+ https://staging.giveth.io/project/Test-automatic-listing-wednesday-0
+ Test automatic listing wednesday
+ iuwthgwuih
+
+
+
+ https://staging.giveth.io/project/Ram-test-donate-pic-0
+ Ram test donate pic
+ test wide pic
+
+
+
+ https://staging.giveth.io/project/ram-second-metamask
+ Ram second metamask
+ Donations to this campaign are bridged to CS Token minter.....
+
+
+
+ https://staging.giveth.io/project/yes-a-test-another
+ yes a test another
+ asd
+
+
+
+ https://staging.giveth.io/project/this-is-a-new-project-hehe
+ This is a new project hehe
+ asd
+
+
+
+ https://staging.giveth.io/project/test-2-0
+ Test 2
+ asd
+
+
+
+ https://staging.giveth.io/project/matching-pool-test-0
+ Matching Pool Test
+ This is a test
+
+
+
+ https://staging.giveth.io/project/feature-tester
+ Feature tester
+ A dummy project thas is currently being used to test some features. Updating
+some characteristics of the project, to test if everything is working fine.
+
+
+
+ https://staging.giveth.io/project/test-project-0
+ test project
+ dslkjdlasjdklsajdkljsalkdsa
+
+
+
+ https://staging.giveth.io/project/deactivate-a-project
+ Deactivate a Project
+ rerere
+
+
+
+ https://staging.giveth.io/project/rraetgaet
+ rraetgaet
+ abtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetbaetbabtbaetba...
+
+
+
+ https://staging.giveth.io/project/test-pic
+ test pic
+
+
+
+
+ https://staging.giveth.io/project/test-bsc-0
+ test BSC
+ hi
+
+
+
+ https://staging.giveth.io/project/test-pic-2-0
+ test pic 2
+
+
+
+
+ https://staging.giveth.io/project/my-test-proj-51
+ My Test Proj 51
+ dfd sf dsf dsf ds
+df sdf sdf
+
+
+
+ https://staging.giveth.io/project/feature-teste-2
+ feature teste 2
+ just testint another feature
+
+
+
+ https://staging.giveth.io/project/test-74444
+ Test 74444
+ fgdf gfdg dfg
+sd fds fdsf sdf
+d fsdf sdf sdf sd
+
+
+
+ https://staging.giveth.io/project/my-test-project-6-0
+ My Test Project 6
+ sa dsakd hasd hsan
+dl askd slakd jasldk jasa
+kjkjh kjsad
+sd sad ad a
+
+
+
+ https://staging.giveth.io/project/test-desc-0
+ test desc
+
+
+
+
+ https://staging.giveth.io/project/test-proj-2
+ test proj 2
+ TELL US ABOUT YOUR PROJECT...
+
+
+
+ https://staging.giveth.io/project/check-success-page-0
+ check success page
+
+
+
+
+ https://staging.giveth.io/project/tes-prev-0
+ tes prev
+
+
+
+
+ https://staging.giveth.io/project/test222
+ Test222
+ dfgfd gfdg fdg df
+sd
+dsf
+sdf
+sdf sdf
+
+
+
+ https://staging.giveth.io/project/my-test-project-7-0
+ My Test Project 7
+ aksdjb sakd sakjn
+skd jbsadkj db
+kasjd bsakjd baskjb
+s,d nskadn
+kn salk
+
+
+
+ https://staging.giveth.io/project/found-me
+ Found Me
+ I need founding!
+
+
+
+ https://staging.giveth.io/project/my-test-project-0
+ My Test Project
+ dfdsf dsf df
+sd fdsf dsf dsfsdf
+d fdsf sdfds
+
+
+
+ https://staging.giveth.io/project/project-with-color-image-1
+ Project with color Image 1
+ Description is good :D
+
+
+
+ https://staging.giveth.io/project/fdsfsdfsdf
+ fdsfsdfsdf
+ testing it again
+
+
+
+ https://staging.giveth.io/project/test-errors
+ test errors
+ ads
+as
+da
+d
+asd
+
+
+
+ https://staging.giveth.io/project/test-def-pic
+ test def pic
+
+
+
+
+ https://staging.giveth.io/project/ram-test-draft
+ Ram test draft
+ les: 0xc0ffee254729296a45a3885639AC7E10F9d54979,
+or 0x999999cf1046e68e36E1aA2E0E07105eDDD1f08E
+HOW IT WORKS
+Enter the prefix/suffix of your choice, and click ‘generate’ to start. Your
+browser will generate lots of random addresses until one matches your input.Once
+an address is found, you can rev...
+
+
+
+ https://staging.giveth.io/project/test-quill
+ test quill
+ dfg dfg😂
+H1 HEAD👿
+fgdfgdg
+> dgasd
+>
+> dgdgdgdgdfg
+ * dg
+ 1. d asdas das das das das d
+ 2. adadas
+ 3. das
+ 4. das
+ 5. d
+ 6. asdadada
+g
+df
+tps://giveth-dapps-v2-git-fix-498updatequill-givethio.vercel.app/project/25235/edit
+g dfg dfg df gd
+
+
+
+ https://staging.giveth.io/project/test-project-on-staging
+ Test Project On Staging
+ This is a test
+
+
+
+ https://staging.giveth.io/project/default-pic
+ default pic
+
+
+
+
+ https://staging.giveth.io/project/trial-project-a1
+ Trial Project A1
+ LOREM IPSUM
+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 v...
+
+
+
+ https://staging.giveth.io/project/feeding-mitches
+ Feeding Mitches
+ WHY DOES THIS PROJECT MATTER?
+spoiler: it doesn't
+you think this is cool
+HB NOW?
+wefawwrf
+> gatggatggatgaetga ergaergaerar rgaergaergaer rgarawwrwrgwrg er gergwr rfarawrr
+ 1. faf
+ * sthath
+ * srtgsrthsthh
+ * sthratr
+🤐 😰😅
+
+
+
+ https://staging.giveth.io/project/test2222
+ test2222
+ klhjkhkjhkjhkjh
+
+
+
+ https://staging.giveth.io/project/test-create
+ test create
+ TELL US ABOUT YOUR PROJECT...
+Project story
+
+
+
+ https://staging.giveth.io/project/test-success-6
+ test success 6
+
+
+
+
+ https://staging.giveth.io/project/testing-it
+ testing it
+ test
+
+
+
+ https://staging.giveth.io/project/prev-5
+ prev 5
+
+
+
+
+ https://staging.giveth.io/project/test-success-0
+ test success
+ TELL US ABOUT YOUR PROJECT...
+PROJECT STORY
+TELL US ABOUT YOUR PROJECT...
+
+
+
+ https://staging.giveth.io/project/night-of-storytellers
+ Night of Storytellers
+ A weekly gathering to share fun stories, culture, arts and more,
+
+
+
+ https://staging.giveth.io/project/amin-2-project-1
+ Amin 2 Project 1
+
+
+
+
+ https://staging.giveth.io/project/project-story
+ Project story
+ Project story
+Project story
+Project story
+
+
+
+ https://staging.giveth.io/project/test-success-5-0
+ test success 5
+
+
+
+
+ https://staging.giveth.io/project/test-8
+ test 8
+
+
+
+
+ https://staging.giveth.io/project/my-project-test-8-0
+ My Project Test 8
+ d
+ 1. sd sd szd
+ 2.
+
+ 3.
+
+ 4.
+
+ 5. s dd s dsd
+ 6.
+
+ 7. sd sad sa
+
+
+
+ https://staging.giveth.io/project/test-proj-0
+ test proj
+
+
+
+
+ https://staging.giveth.io/project/prev-4
+ prev 4
+
+
+
+
+ https://staging.giveth.io/project/test-9
+ test 9
+
+
+
+
+ https://staging.giveth.io/project/test-success-view-0
+ test success view
+ TELL US ABOUT YOUR PROJECT...
+Project story
+
+
+
+ https://staging.giveth.io/project/test-free-pic-0
+ test free pic
+ COMPATIBILITY
+Any address generated with Vanity-ETH is ERC-20 compatible, which means you can
+use it for an ICO, an airdrop, or just to withdraw your funds from an
+exchange.The keystore file is 100% compatible with MyEtherWallet, MetaMask,
+Mist, and geth.
+
+
+
+ https://staging.giveth.io/project/test-prev-display-0
+ test prev display
+ CREATE A PROJECT
+CREATE A PROJECT
+NAME OF YOUR PROJECT
+TELL US ABOUT YOUR PROJECT...
+CREATE A PROJECT
+
+
+
+ https://staging.giveth.io/project/my-second-prohect-0
+ My Second PROHECT
+ DSFD SFSDF
+SDF SDF SDF S assd
+fdgfdg
+
+
+
+ https://staging.giveth.io/project/test-prev-2
+ test prev 2
+ test prev 2 desc
+
+
+
+ https://staging.giveth.io/project/prev-3-0
+ prev 3
+ NAME OF YOUR PROJECT
+TELL US ABOUT YOUR PROJECT...
+PLEASE SELECT A CATEGORY.
+
+
+
+ https://staging.giveth.io/project/ungo
+ Ungo
+ Hey heeeey
+
+
+
+ https://staging.giveth.io/project/hello
+ HELLO
+ HELLO
+HELLO
+Hello
+Hello
+Hello
+Hello
+Hello
+Hello
+Hello
+Hello
+ 1. hello
+ * hello
+ * hello
+🖐
+
+
+
+ https://staging.giveth.io/project/test-10
+ test 10
+
+
+
+
+ https://staging.giveth.io/project/prev-6-3rd-0
+ prev 6 3rd
+ test prev 6
+
+
+
+ https://staging.giveth.io/project/test-5
+ Test 5
+ Test 5
+
+
+
+ https://staging.giveth.io/project/test-project-for-updating-giveth-docs
+ Test Project for updating Giveth Docs
+ Updating pictures of Giveth Docs with the new UI.
+
+
+
+ https://staging.giveth.io/project/my-next-project-is
+ my next project is
+ why don't y'all stick around and find out
+
+
+
+ https://staging.giveth.io/project/help-leo-messi
+ Help Leo Messi
+ Please Help Leo messi.
+
+
+
+ https://staging.giveth.io/project/testing-if-back-button-gives-a-weird-prompt
+ testing if back button gives a weird prompt
+ rfaeeregaetgefargerrgaergaergergaebsttryhthwrt
+
+
+
+ https://staging.giveth.io/project/test-6
+ test 6
+ asdasd
+
+
+
+ https://staging.giveth.io/project/test-101
+ Test 101
+ Test 111
+
+
+
+ https://staging.giveth.io/project/test-16
+ test 16
+ test 16
+
+
+
+ https://staging.giveth.io/project/test-hi-5
+ test hi 5
+ test hi 5test h test hi 5i 5test hi 5
+
+
+
+ https://staging.giveth.io/project/test-11
+ Test 11
+ Test 11 Test 11
+
+
+
+ https://staging.giveth.io/project/test-june-5-2nd
+ Test June 5 2nd
+ dsf dsf dsfsd
+df dsf sdf
+df sdf sdfsdf ds
+
+
+
+ https://staging.giveth.io/project/charity-for-everyone
+ Charity for everyone
+ Hello, this is my new project ❤😍
+
+
+
+ https://staging.giveth.io/project/test-14
+ test 14
+ Test 14
+
+
+
+ https://staging.giveth.io/project/test-23
+ test 23
+ Test 23 Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test
+23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test
+23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23Test 23
+
+
+
+ https://staging.giveth.io/project/test-144
+ test 144
+ test 14
+
+
+
+ https://staging.giveth.io/project/clean-code
+ Clean Code
+ * Do it a better man
+
+
+
+ https://staging.giveth.io/project/test-create-3
+ test create 3
+ NAME OF YOUR PROJECT
+NAME OF YOUR PROJECT
+NAME OF YOUR PROJECT
+
+
+
+ https://staging.giveth.io/project/trial-aaa
+ Trial AAA
+ AAA
+AAA
+This is just a trial project.
+Adding a photo
+😚🤗😸😍
+
+
+
+ https://staging.giveth.io/project/trial-project-foooooooddddd
+ Trial project Foooooooddddd
+ Lorem ipsum dolor sit amet. Et consectetur consectetur qui culpa minus sed eaque
+quasi et dolores pariatur et Quis explicabo ut impedit quia! Ut harum enim est
+quidem omnis et voluptatem incidunt?
+In asperiores aperiam et placeat modi nam libero obcaecati et esse perspiciatis
+eum laboriosam labor...
+
+
+
+ https://staging.giveth.io/project/test-17
+ test 17
+ Test 17
+
+
+
+ https://staging.giveth.io/project/test15
+ Test15
+ This is just for test
+
+
+
+ https://staging.giveth.io/project/macbook-m2
+ Macbook m2
+ GM GIVers!
+The start of a new year has us reflecting on all the amazing things we’ve pushed
+out over the past 3 months with your funding support, and what we’re excited
+about next!
+And BIG NEWS! Giveth has been invited to participate in the current Gitcoin
+Alpha Round, running Jan 17 - 31! Check ...
+
+
+
+ https://staging.giveth.io/project/test-my-jlfjdlsa-fdfdas
+ test my jlfjdlsa fdfdas
+ LOOPDAO
+Let me introduce my project
+fdafdsalfj
+fdjlsajf
+
+
+
+ https://staging.giveth.io/project/testing-create-project-buttons
+ testing create project buttons
+ let's see if the social share buttons link properly
+
+
+
+ https://staging.giveth.io/project/testing-no-categories
+ testing no categories
+ whaat happens with no categories!?
+
+
+
+ https://staging.giveth.io/project/ram-first-brave
+ Ram first brave
+ Ram first brave
+
+
+
+ https://staging.giveth.io/project/buy-laptop-for-poor-children
+ Buy Laptop for poor children
+ desc is desc
+
+
+
+ https://staging.giveth.io/project/fjhdskfhdskjhfkdhgkfdjhgkfdkhddd2
+ fjhdskfhdskjhfkdhgkfdjhgkfdkhddd2
+ djsklfajdhslkfjslfjdsklfjskdlfjsdl;kfjsdlkfjsalk;fjsdlkfjslkfajsd
+
+
+
+ https://staging.giveth.io/project/test-456
+ test 456
+ test 456
+
+
+
+ https://staging.giveth.io/project/test-152
+ Test 152
+ Test 152
+
+
+
+ https://staging.giveth.io/project/test-john-first-project
+ Test John First Project
+
+
+
+
+ https://staging.giveth.io/project/ffd
+ ffd
+
+
+
+
+ https://staging.giveth.io/project/verification-test
+ Verification Test
+ Testing verification
+
+
+
+ https://staging.giveth.io/project/test-map
+ test map
+ test map
+
+
+
+ https://staging.giveth.io/project/help-everyone
+ Help Everyone
+ Please help!
+
+
+
+ https://staging.giveth.io/project/my-first
+ my first
+ decsc
+
+
+
+ https://staging.giveth.io/project/fill-form-testing-for-submission
+ Fill Form Testing for Submission
+ Fill Form Testing for Submission
+
+
+
+ https://staging.giveth.io/project/test-ma
+ test ma
+
+
+
+
+ https://staging.giveth.io/project/test-issue-567
+ test issue 567
+ cdslkcndslkjcdklsjflksdjfklasdsdljfldskjflkdsjfldsjfkldjslkfjslfjdsklfjdslfdlsjflkds
+
+
+
+ https://staging.giveth.io/project/test-verification
+ test verification
+ test verification
+
+
+
+ https://staging.giveth.io/project/project-on-25th-july
+ Project on 25th July
+ Project on 25th JulyProject on 25th JulyProject on 25th JulyProject on 25th
+JulyProject on 25th JulyProject on 25th JulyProject on 25th JulyProject on 25th
+JulyProject on 25th JulyProject on 25th JulyProject on 25th JulyProject on 25th
+July
+
+
+
+ https://staging.giveth.io/project/arc
+ Arc
+
+
+
+
+ https://staging.giveth.io/project/help-ocean
+ Help Ocean
+ Help Ocean
+
+
+
+ https://staging.giveth.io/project/purple-list-migration
+ purple list migration
+ canweaddspacesplease
+
+
+
+ https://staging.giveth.io/project/can-i-put-spaces-in-the-title
+ Can I put spaces in the title
+ Yes!IcanbutIcanotputspacesinthedescriptionohhhnoooo
+
+
+
+ https://staging.giveth.io/project/adadasdas
+ adadasdas
+
+
+
+
+ https://staging.giveth.io/project/test-ali
+ Test Ali
+ Test
+
+
+
+ https://staging.giveth.io/project/test-unsplash-3
+ test unsplash 3
+
+
+
+
+ https://staging.giveth.io/project/test-isuee-1
+ Test isuee 1
+ seeing whats up
+
+
+
+ https://staging.giveth.io/project/ali
+ ali
+
+
+
+
+ https://staging.giveth.io/project/alireza-51
+ Alireza 51
+ asd
+
+
+
+ https://staging.giveth.io/project/test-onblur
+ Test onBlur
+ Test onBlur
+
+
+
+ https://staging.giveth.io/project/123go-test
+ 123go Test
+ Testing profiles
+
+
+
+ https://staging.giveth.io/project/testsettingnotif
+ testsettingnotif
+ testaaa
+
+
+
+ https://staging.giveth.io/project/test-tor
+ Test Tor
+ test
+
+
+
+ https://staging.giveth.io/project/test-111
+ Test 111
+ Test 111
+
+
+
+ https://staging.giveth.io/project/testtmaaaa
+ testtmaaaa
+ test
+
+
+
+ https://staging.giveth.io/project/create-project-with-bnb
+ create project with BNB
+ create project with BNB
+
+
+
+ https://staging.giveth.io/project/test-3333
+ Test 3333
+ Test 3333
+
+
+
+ https://staging.giveth.io/project/test-bnb-2
+ test BNB 2
+
+
+
+
+ https://staging.giveth.io/project/my-first-giveth-project
+ My first Giveth project
+ Make sure to be as detailed as posible:
+– Roadmap
+– Transparency is key!
+
+
+
+ https://staging.giveth.io/project/test-cats-0
+ test cats
+ ewwe ew rew rew we rwe rwer
+
+
+
+ https://staging.giveth.io/project/vivy
+ Vivy
+
+
+
+
+ https://staging.giveth.io/project/gm-to-all-the-watchers
+ Gm to all the watchers
+ This is a happy test
+
+
+
+ https://staging.giveth.io/project/adasdsa-adads
+ adasdsa adads
+
+
+
+
+ https://staging.giveth.io/project/orem-ipsum-dolor-sit-amet-consectetur
+ orem ipsum dolor sit amet consectetur
+ Lorem ipsum
+
+LOREM IPSUM DOLOR SIT AMET, CONSECTETUR ADIPISCING ELIT. NUNC AC FAUCIBUS ODIO.
+
+Vestibulum neque massa, scelerisque sit amet ligula eu, congue molestie mi.
+Praesent ut varius sem. Nullam at porttitor arcu, nec lacinia nisi. Ut ac dolor
+vitae odio interdum condimentum. Vivamus dapi...
+
+
+
+ https://staging.giveth.io/project/gm
+ Gm
+ This is a test to walk you around how to verify a Giveth project.
+
+
+
+ https://staging.giveth.io/project/test-lottie
+ test lottie
+ test lottie
+
+
+
+ https://staging.giveth.io/project/testnotif11
+ testnotif11
+ test for notif
+
+
+
+ https://staging.giveth.io/project/sdf-sd-fs
+ sdf sd fs
+ sdf
+
+
+
+ https://staging.giveth.io/project/alireza-5
+ Alireza 5
+ Alireza 5
+
+
+
+ https://staging.giveth.io/project/as-das-d
+ as das d
+ asd
+
+
+
+ https://staging.giveth.io/project/adasdad
+ adasdad
+
+
+
+
+ https://staging.giveth.io/project/apollo-upgrade-test
+ Apollo Upgrade Test
+ Apollo Upgrade Test
+Upload file...............
+
+
+
+ https://staging.giveth.io/project/asdas-d
+ asdas d
+
+
+
+
+ https://staging.giveth.io/project/alireza-test-4
+ Alireza test 4
+ Hello, This, Is, a, Test
+ 1. Number 1
+ 2. Number 2
+
+
+
+ https://staging.giveth.io/project/test-stats
+ test stats
+ test stats
+
+
+
+ https://staging.giveth.io/project/test-quill-2
+ test quill 2
+ par 1
+par 2
+par 3 without space
+
+
+
+ https://staging.giveth.io/project/giveth-project-verification-tutorial
+ Giveth Project Verification Tutorial
+ Hello GIVers!
+
+
+
+ https://staging.giveth.io/project/test-quill-firefox
+ test quill firefox
+ test quill firefox
+test quill firefox 1
+test quill firefox 2
+
+
+
+ https://staging.giveth.io/project/update-test
+ update test
+ testa
+
+
+
+ https://staging.giveth.io/project/test-quill-brave
+ test quill brave
+ test quill brave
+test quill brave
+test quill brave
+
+
+
+ https://staging.giveth.io/project/alireza-test-url
+ Alireza Test URL
+ Alireza Test URL
+
+
+
+ https://staging.giveth.io/project/help-the-clouds
+ Help the clouds
+ Help the clouds make more rain
+
+
+
+ https://staging.giveth.io/project/help-the-world
+ Help the world
+ Be a better place
+
+
+
+ https://staging.giveth.io/project/test-lunched
+ test-lunched
+ testttt
+
+
+
+ https://staging.giveth.io/project/test-pro-list
+ test pro list
+ test pro list 1
+
+
+
+ https://staging.giveth.io/project/maya
+ MAYA
+ testtt
+
+
+
+ https://staging.giveth.io/project/alireza-61
+ alireza 61
+ 123
+
+
+
+ https://staging.giveth.io/project/testcategory
+ testcategory
+ testttt
+
+
+
+ https://staging.giveth.io/project/test-adminuser
+ test-adminUser
+ fdklahfjlkdsjflksdflksdjfs
+
+
+
+ https://staging.giveth.io/project/test1124v02555
+ test1124v02555
+ test1124
+
+
+
+ https://staging.giveth.io/project/asd-a-sdas-das-d
+ asd a sdas das d
+
+
+
+
+ https://staging.giveth.io/project/testimehr
+ testimehr
+ test projects
+
+
+
+ https://staging.giveth.io/project/test-no-donation
+ test no donation
+ TEST
+GM GIVers!
+The start of a new year has us reflecting on all the amazing things we’ve pushed
+out over the past 3 months with your funding support, and what we’re excited
+about next!
+And BIG NEWS! Giveth has been invited to participate in the current Gitcoin
+Alpha Round, running Jan 17 - 31! C...
+
+
+
+ https://staging.giveth.io/project/help-the-future-of-giving
+ Help The Future of giving
+ Help The Future of giving
+
+
+
+ https://staging.giveth.io/project/testupdate
+ testupdate
+ test
+
+
+
+ https://staging.giveth.io/project/tesing-all-the-things
+ tesing all the things
+ cherik says we need to check all the links so ... here i amcherik says we need
+to check all the links so ... here i amcherik says we need to check all the
+links so ... here i amcherik says we need to check all the links so ... here i
+amcherik says we need to check all the links so ... here i amch...
+
+
+
+ https://staging.giveth.io/project/mayatest
+ MAYATEST
+ testttttt
+
+
+
+ https://staging.giveth.io/project/testmyprojects
+ testmyprojects
+ testa
+
+
+
+ https://staging.giveth.io/project/test-optimism
+ test optimism
+
+
+
+
+ https://staging.giveth.io/project/testoptimism
+ testoptimism
+ test
+
+
+
+ https://staging.giveth.io/project/big-wall-of-ai-text
+ Big wall of AI text
+ In the distant land of Zorgonia, where the skies were painted with hues of
+purple and the rivers flowed with molten gold, there existed a peculiar species
+of sentient squirrels known as the Glitterfluffs. These magical creatures had
+shimmering fur that sparkled in the moonlight and possessed the ...
+
+
+
+ https://staging.giveth.io/project/testopgoerli
+ testopgoerli
+ tt
+
+
+
+ https://staging.giveth.io/project/testop2
+ testop2
+ tet
+
+
+
+ https://staging.giveth.io/project/asd-as-das
+ asd as das
+ asd
+
+
+
+ https://staging.giveth.io/project/test-celo
+ test celo
+
+
+
+
+ https://staging.giveth.io/project/test-op-goer
+ test op goer
+
+
+
+
+ https://staging.giveth.io/project/ajab-baba-ajabbbb
+ ajab baba ajabbbb
+ mash rajab!!!
+
+
+
+ https://staging.giveth.io/project/check-mobile-version
+ Check Mobile version
+ this is nice app for mobile
+
+
+
+ https://staging.giveth.io/project/tetestwallet01
+ Tetestwallet01
+ test01
+
+
+
+ https://staging.giveth.io/project/testpuroplelist
+ Testpuroplelist
+ TESTTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+...
+
+
+
+ https://staging.giveth.io/project/test-856
+ Test 856
+ Test 856
+
+
+
+ https://staging.giveth.io/project/test-7123
+ Test 7123
+ Test 7123
+
+
+
+ https://staging.giveth.io/project/testamotestam
+ testamotestam
+ test
+
+
+
+ https://staging.giveth.io/project/mayatestaaa
+ MAYATESTAAA
+ test
+
+
+
+ https://staging.giveth.io/project/testmatic
+ testmatic
+ test
+
+
+
+ https://staging.giveth.io/project/poly
+ poly
+ 1
+
+
+
+ https://staging.giveth.io/project/test-adminuser-0
+ test adminUser
+ c;lcka;kakdlakd;askd;alkdakda;ldklsa;dkas
+
+
+
+ https://staging.giveth.io/project/test-polygon
+ test polygon
+
+
+
+
+ https://staging.giveth.io/project/testpiic
+ testpiic
+ فثسف
+test
+test
+
+
+
+ https://staging.giveth.io/project/testa-celo
+ testa celo
+ test
+
+
+
+ https://staging.giveth.io/project/testing-celo
+ Testing Celo
+ dsf dsf ds
+
+
+
+ https://staging.giveth.io/project/testpfp
+ testpfp
+ test
+
+
+
+ https://staging.giveth.io/project/test-tweet
+ Test tweet
+ d dsf dsf
+
+
+
+ https://staging.giveth.io/project/two-serious-two-playful
+ Two Serious two playful
+ Checking author name
+
+
+
+ https://staging.giveth.io/project/is-pfp-ok
+ Is PFP OK?
+ OOpps
+
+
+
+ https://staging.giveth.io/project/testmmm
+ testmmm
+ sss
+
+
+
+ https://staging.giveth.io/project/test-polygon-3
+ test polygon 3
+ TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+PLEASE SELECT A CATEGORY.
+You can choose up to 5 categories for your project.0/5
+ART & CULTURE
+Art
+Culture
+testaaa
+testss
+COMMUNITY
+Family & Children
+Food
+Grassroots
+Housing
+Partnerships
+Pe...
+
+
+
+ https://staging.giveth.io/project/test-multiaddresses-2
+ test multiaddresses 2
+ as dad as a
+
+
+
+ https://staging.giveth.io/project/test-766
+ test 766
+ test 766
+
+
+
+ https://staging.giveth.io/project/test-multiaddresses-3
+ test multiaddresses 3
+ test multiaddresses 3
+
+
+
+ https://staging.giveth.io/project/test-td
+ Test TD
+ Test TD
+
+
+
+ https://staging.giveth.io/project/marytestii89
+ marytestii89
+ test
+
+
+
+ https://staging.giveth.io/project/testtttt
+ testtttt
+ The date is now 4/24/23..
+And the vision is the same, yet the means of delivering it into reality are
+changing. No more can this program run on cryptophilanthropy alone, though it
+has valiantly done so for over 2 years now.
+A CALL HAS BEEN MADE TO THE COMMUNITY TO ASSUME RESPONSIBILITY FOR THE
+MA...
+
+
+
+ https://staging.giveth.io/project/purple
+ purple
+ yesss
+
+
+
+ https://staging.giveth.io/project/testimage
+ testimage
+ bbbbb
+
+
+
+ https://staging.giveth.io/project/test-0iadsoiuaoids
+ test 0iadsoiuaoids
+ test 0iadsoiuaoids
+
+
+
+ https://staging.giveth.io/project/poly-2
+ poly 2
+ 1
+
+
+
+ https://staging.giveth.io/project/testcelo0909
+ testcelo0909
+ test
+
+
+
+ https://staging.giveth.io/project/test-abcd
+ Test abcd
+ Test abcd
+
+
+
+ https://staging.giveth.io/project/test-inline-image
+ Test inline image
+ Hi
+FUNDRAISING CAMPAIGN GUIDE WITH GIVETH
+There are many resources and guides on the internet to help you run a successful
+fundraising campaign but here are some fundamental steps to launching your
+crypto fundraising campaign with Giveth.
+1. SOFT LAUNCH
+Soft launching means sharing your campaign ...
+
+
+
+ https://staging.giveth.io/project/test-image-2
+ test image 2
+ 1. SOFT LAUNCH
+Soft launching means sharing your campaign to a few dedicated supporters or
+those that have previously fundraised for your cause. Ask them to donate crypto
+to kickstart your campaign before the official launch to your wider supporter
+base. People are more likely to donate when they...
+
+
+
+ https://staging.giveth.io/project/test63
+ Test63
+ Test63
+
+
+
+ https://staging.giveth.io/project/tessst-123
+ Tessst 123
+ Tessst 123
+
+
+
+ https://staging.giveth.io/project/test-84
+ Test 84
+ Test 84
+
+
+
+ https://staging.giveth.io/project/test-multiaddresses
+ test multiaddresses
+ asd
+
+
+
+ https://staging.giveth.io/project/yahoo
+ Yahoo
+ Yahoo
+
+
+
+ https://staging.giveth.io/project/test-1234
+ Test 1234
+ Test 1234
+
+
+
+ https://staging.giveth.io/project/test-654
+ Test 654
+ Test 654
+
+
+
+ https://staging.giveth.io/project/asd-asd-as
+ asd asd as
+
+
+
+
+ https://staging.giveth.io/project/test-default-image-2
+ test default image 2
+
+
+
+
+ https://staging.giveth.io/project/test-local-7
+ test local 7
+
+
+
+
+ https://staging.giveth.io/project/noggles-for-everyone
+ Noggles for Everyone
+ Since the end of the pandemic a large number of people (children, young adults
+and older adults) have been affected by various situations, but the most
+worrisome of them all has been confinement.
+This has meant that schools, small and medium-sized businesses, companies and
+even social life have h...
+
+
+
+ https://staging.giveth.io/project/procrep-association
+ ProCREP Association
+ Pró-CREP is a non-profit organization from Palhoça - Santa Catarina, in the
+south of Brazil.
+Since 1992 it develops social and ambiental activities in the region, collecting
+recyclable material daily, from 9 different neighborhoods in the city and
+generating income for many families in vulnerable...
+
+
+
+ https://staging.giveth.io/project/aaa
+ aaa
+ aasd
+
+
+
+ https://staging.giveth.io/project/dasdasdasd
+ dasdasdasd
+ dasdasdasd
+
+
+
+ https://staging.giveth.io/project/test-success-9
+ test success 9
+ CREATE A PROJECT
+38
+11
+Ramin
+Connected to Gnosis
+CREATE A PROJECT
+Project Name14/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+as da sd
+PLEASE SELECT A CATEGORY.
+You can choose up to 5 categories for your project.0/5
+ART & CULTURE...
+
+
+
+ https://staging.giveth.io/project/tesrrrr
+ tesrrrr
+ TTT
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABO...
+
+
+
+ https://staging.giveth.io/project/mejana
+ MEJANA
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-verify03
+ test verify03
+ TESTTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+...
+
+
+
+ https://staging.giveth.io/project/testverify05
+ testverify05
+ BNTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YO...
+
+
+
+ https://staging.giveth.io/project/tetsverifyerror
+ tetsverifyerror
+ test
+
+
+
+ https://staging.giveth.io/project/idriss-test01
+ IDriss test01
+ test
+
+
+
+ https://staging.giveth.io/project/test-title
+ test title
+
+
+
+
+ https://staging.giveth.io/project/test-title-2
+ test title 2
+ sad
+
+
+
+ https://staging.giveth.io/project/test-null-addresses
+ test null addresses
+
+
+
+
+ https://staging.giveth.io/project/test-project-address
+ test project address
+ testtt
+
+
+
+ https://staging.giveth.io/project/test-storage-data
+ test storage data
+ Describe the bug
+I was creating a project on giveth, I perfected my description and spent hours
+adding pictures and all that, then I was done and I went to add the address as
+the LAST STEP, so i go to my metamask and switch address to the address that
+will collect the donation and I lose everythi...
+
+
+
+ https://staging.giveth.io/project/test-local-6
+ test local 6
+ asd
+
+
+
+ https://staging.giveth.io/project/test-project-test-project-test-project
+ Test project test project test project
+ Test project test project test project
+
+
+
+ https://staging.giveth.io/project/climate-education-workshop
+ Climate Education Workshop
+ In a world full of unexpected environmental challenges, the fight against
+climate change is a global issue that requires immediate action. Climate
+education is no longer an option; it is a requirement. We propose hands-on
+climate projects for rural schools that combine climate education, clean en...
+
+
+
+ https://staging.giveth.io/project/test2805v04nodonate
+ test2805v04NODONATE
+ testttt
+
+
+
+ https://staging.giveth.io/project/testami-testami
+ testami testami
+ testttttt
+
+
+
+ https://staging.giveth.io/project/prototipando-a-quebrada-teched-for-peripheral-youth
+ Prototipando a Quebrada - TechEd for peripheral youth
+ Prototipando a Quebrada, PAQ, means Prototyping the "Quebrada", a Brazilian
+slang for tough peripheral neighbourhoods. It is an organização that since 2018
+act directly in the metropolitan region of Florianópolis and has the mission of
+conecting peripheral youth with the knowledges and opportunit...
+
+
+
+ https://staging.giveth.io/project/uuuuuu
+ uuuuuu
+ jjjjjjjjjj
+
+
+
+ https://staging.giveth.io/project/testaccount4
+ testaccount4
+ test
+
+
+
+ https://staging.giveth.io/project/test-polygon-6
+ test polygon 6
+ asdada
+
+
+
+ https://staging.giveth.io/project/testv2
+ testv2
+ w
+
+
+
+ https://staging.giveth.io/project/stream-test-1
+ Stream Test 1
+ Stream Test 1
+
+
+
+ https://staging.giveth.io/project/testcase02
+ testcase02
+ TESTTTTTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABO...
+
+
+
+ https://staging.giveth.io/project/solana-2
+ solana 2
+ ram
+0
+100
+WHY IS IT LOW?
+PROJECT DETAILS
+Project Name8/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+as da
+s d
+a
+d asdasd
+18 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your pro...
+
+
+
+ https://staging.giveth.io/project/solana-project
+ solana project
+ Project Score
+0
+100
+WHY IS IT LOW?
+PROJECT DETAILS
+Project Name14/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’s soci...
+
+
+
+ https://staging.giveth.io/project/test123152
+ Test123152
+ Test123152
+
+
+
+ https://staging.giveth.io/project/test-12312312
+ Test 12312312
+ Test 12312312
+
+
+
+ https://staging.giveth.io/project/testpurpl2
+ testpurpl2
+ testt
+
+
+
+ https://staging.giveth.io/project/test-storage-data-2
+ test storage data 2
+ Describe the bug
+I was creating a project on giveth, I perfected my description and spent hours
+adding pictures and all that, then I was done and I went to add the address as
+the LAST STEP, so i go to my metamask and switch address to the address that
+will collect the donation and I lose everythi...
+
+
+
+ https://staging.giveth.io/project/test-storage-data-3
+ test storage data 3
+ Describe the bug
+I was creating a project on giveth, I perfected my description and spent hours
+adding pictures and all that, then I was done and I went to add the address as
+the LAST STEP, so i go to my metamask and switch address to the address that
+will collect the donation and I lose everythi...
+
+
+
+ https://staging.giveth.io/project/test-storage-data-4
+ test storage data 4
+ Describe the bug
+I was creating a project on giveth, I perfected my description and spent hours
+adding pictures and all that, then I was done and I went to add the address as
+the LAST STEP, so i go to my metamask and switch address to the address that
+will collect the donation and I lose everythi...
+
+
+
+ https://staging.giveth.io/project/test-storage-data-5-v2
+ test storage data 5 v2
+ Describe the bug
+I was creating a project on giveth, I perfected my description and spent hours
+adding pictures and all that, then I was done and I went to add the address as
+the LAST STEP, so i go to my metamask and switch address to the address that
+will collect the donation and I lose everythi...
+
+
+
+ https://staging.giveth.io/project/test2805final
+ test2805final
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test2805v03bbbb
+ test2805v03bbbb
+ CREATE A PROJECT
+TELL US ABOUT YOUR PROJECT...TELL US ABOUT YOUR PROJECT...TELL US ABOUT YOUR
+PROJECT...TELL US ABOUT YOUR PROJECT...TELL US ABOUT YOUR PROJECT...TELL US
+ABOUT YOUR PROJECT...TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YO...
+
+
+
+ https://staging.giveth.io/project/testing-with-rainbow
+ Testing with Rainbow
+ This is a test of rainbow wallet
+
+
+
+ https://staging.giveth.io/project/asd-asd
+ asd asd
+ a d asd as da
+
+
+
+ https://staging.giveth.io/project/test-success-3
+ test success 3
+ asdasd asd as d
+
+
+
+ https://staging.giveth.io/project/test-success-4
+ test success 4
+ asd
+
+
+
+ https://staging.giveth.io/project/test-success-8
+ test success 8
+ a as dsa adad
+
+
+
+ https://staging.giveth.io/project/testsafe4
+ testSafe4
+ test
+
+
+
+ https://staging.giveth.io/project/testverifiy02
+ testverifiy02
+ tr
+
+
+
+ https://staging.giveth.io/project/a
+ a
+ asdadasdasdadasd
+
+
+
+ https://staging.giveth.io/project/dragontests
+ dragontests
+ fsdf
+
+
+
+ https://staging.giveth.io/project/marytesta
+ MARYTESTA
+ TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT...
+TELL US ABOUT YOUR PROJECT....
+
+
+
+ https://staging.giveth.io/project/13131231
+ 13131231
+ 13131231
+
+
+
+ https://staging.giveth.io/project/solana-4
+ solana 4
+
+
+
+
+ https://staging.giveth.io/project/dddd
+ dddd
+ dddd
+
+
+
+ https://staging.giveth.io/project/dddddddddd
+ dddddddddd
+ dasd
+
+
+
+ https://staging.giveth.io/project/abcsdad
+ abcsdad
+
+
+
+
+ https://staging.giveth.io/project/ttttt
+ ttttt
+ ttttt
+
+
+
+ https://staging.giveth.io/project/test-1231
+ Test 1231
+ Test 1231
+
+
+
+ https://staging.giveth.io/project/test-634
+ Test 634
+ Test 634
+
+
+
+ https://staging.giveth.io/project/project-03sol
+ project 03sol
+ tes
+
+
+
+ https://staging.giveth.io/project/test-321
+ Test 321
+
+
+
+
+ https://staging.giveth.io/project/testsafe-1
+ testsafe
+ test
+
+
+
+ https://staging.giveth.io/project/testpg
+ testpg
+ test
+
+
+
+ https://staging.giveth.io/project/testsafe
+ testsafe
+ test
+
+
+
+ https://staging.giveth.io/project/solana-3
+ solana 3
+
+
+
+
+ https://staging.giveth.io/project/testsafe02
+ testsafe02
+ test
+
+
+
+ https://staging.giveth.io/project/solmetaproject
+ SolMetaproject
+ test
+
+
+
+ https://staging.giveth.io/project/testsafe02-1
+ testsafe02
+ test
+
+
+
+ https://staging.giveth.io/project/testproject
+ testproject
+ test
+
+
+
+ https://staging.giveth.io/project/test-35y7
+ test 35y7
+ test 35y7
+
+
+
+ https://staging.giveth.io/project/test-642
+ Test 642
+ Test 642
+
+
+
+ https://staging.giveth.io/project/test-567
+ test 567
+ test 567
+
+
+
+ https://staging.giveth.io/project/testsafen
+ testsafen
+ testa
+
+
+
+ https://staging.giveth.io/project/test-g1n1
+ Test G1N1
+ Test G1N1
+
+
+
+ https://staging.giveth.io/project/test-g1n124
+ Test G1N124
+ Test G1N124
+
+
+
+ https://staging.giveth.io/project/test-g1n1345
+ Test G1N1345
+ Test G1N1345
+
+
+
+ https://staging.giveth.io/project/test-g1n13453
+ Test G1N13453
+ Test G1N13453
+
+
+
+ https://staging.giveth.io/project/test-polygon-cats
+ test polygon cats
+ سیب س
+sdf
+ds f
+sdf
+s
+fsdf
+
+
+
+ https://staging.giveth.io/project/testlinkedin
+ testlinkedin
+ TESTTELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+...
+
+
+
+ https://staging.giveth.io/project/test-1252
+ Test 1252
+ Test 1252
+
+
+
+ https://staging.giveth.io/project/test-2223
+ Test 2223
+ test
+
+
+
+ https://staging.giveth.io/project/test-5634
+ test 5634
+ sda
+
+
+
+ https://staging.giveth.io/project/tessafeee
+ tessafeee
+ test
+
+
+
+ https://staging.giveth.io/project/test-75233
+ Test 75233
+
+
+
+
+ https://staging.giveth.io/project/test-767
+ test 767
+ test 767
+
+
+
+ https://staging.giveth.io/project/alrieza-231
+ Alrieza 231
+
+
+
+
+ https://staging.giveth.io/project/test-752333
+ Test 752333
+
+
+
+
+ https://staging.giveth.io/project/test-56752
+ test 56752
+ test 5675
+
+
+
+ https://staging.giveth.io/project/test-7523333
+ Test 7523333
+
+
+
+
+ https://staging.giveth.io/project/test-75
+ Test 75
+
+
+
+
+ https://staging.giveth.io/project/test-1113
+ test 1113
+
+
+
+
+ https://staging.giveth.io/project/test-11134
+ test 11134
+
+
+
+
+ https://staging.giveth.io/project/test-112
+ test 112
+
+
+
+
+ https://staging.giveth.io/project/testsafe067
+ testsafe067
+ test
+
+
+
+ https://staging.giveth.io/project/testsafe067-1
+ testsafe067
+ test
+
+
+
+ https://staging.giveth.io/project/testsafe067-2
+ testsafe067
+ test
+
+
+
+ https://staging.giveth.io/project/this-is-checking-the-character-count
+ This is checking the character count
+ Sure I would love
+Stay in the heart of this magical town. 3 block from downtown San Pedro Cholula.
+Rest house, alone, for weekends or bridges. With multiple fast roads to get to
+know Puebla and the surroundings.
+We are also close to the Traditional Market full of colors and flavors typical
+of the...
+
+
+
+ https://staging.giveth.io/project/testsafe03
+ testsafe03
+ testtt
+
+
+
+ https://staging.giveth.io/project/testsafe05
+ testsafe05
+ test
+
+
+
+ https://staging.giveth.io/project/holooo-boro-to-gelooo
+ Holooo boro to gelooo
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed varius et elit sit
+amet aliquet. Integer feugiat placerat ligula, eu accumsan ligula semper ut.
+Phasellus in erat malesuada, aliquet purus ut, feugiat enim. Phasellus a tellus
+sodales, lobortis odio sit amet, suscipit lorem. Mauris eges...
+
+
+
+ https://staging.giveth.io/project/dasd-asd-asf-sa
+ dasd asd asf sa
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nulla eleifend interdum
+convallis. In cursus lobortis nibh. Nunc sed quam quam. Class aptent taciti
+sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Sed a
+orci quam. Pellentesque hendrerit diam ut est placerat, nec ma...
+
+
+
+ https://staging.giveth.io/project/test-1234561
+ Test 1234561
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/ad-asdas-as-d
+ ad asdas as d
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/test-123415
+ Test 123415
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/test-12345612
+ Test 12345612
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/test-81237
+ Test 81237
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/dasd-asd-asd-ad
+ dasd asd asd ad
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/asdasdq314
+ asdasdq314
+ asdasdq314
+
+
+
+ https://staging.giveth.io/project/abddd
+ abddd
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/gggggg
+ gggggg
+ gggggg
+
+
+
+ https://staging.giveth.io/project/test-anchor
+ test anchor
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/test-anchor-3
+ Test anchor 3
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/test-preview-121
+ Test Preview 121
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/testalloprofile
+ testalloprofile
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-2313
+ Test 2313
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/test-23131
+ Test 23131
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras porttitor, neque
+ut dapibus euismod, est massa lacinia enim, sed molestie risus erat gravida
+eros. Etiam in facilisis est. Vestibulum pellentesque tristique metus, ac
+viverra ligula rhoncus at. Curabitur at eros non nunc ultrices ultri...
+
+
+
+ https://staging.giveth.io/project/testname0001
+ testName0001
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testv02
+ testv02
+ test
+
+
+
+ https://staging.giveth.io/project/projectsol05
+ projectSOL05
+ test
+
+
+
+ https://staging.giveth.io/project/testallo033
+ testallo033
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo
+ testAllo
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-yghaa
+ Test YGHaA
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris a maximus orci.
+Sed accumsan mauris bibendum cursus imperdiet. In faucibus quam et mi
+vestibulum, id dictum lectus ultrices. Sed in iaculis eros. Nullam nunc purus,
+accumsan non lacus vel, condimentum eleifend velit. Proin varius bla...
+
+
+
+ https://staging.giveth.io/project/test-anchor-4
+ Test anchor 4
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed turpis lectus,
+pulvinar non ligula ac, ultricies cursus erat. Aenean egestas ornare velit,
+hendrerit ultrices est vulputate consequat. Pellentesque facilisis faucibus
+elit, non imperdiet dui condimentum vel. Vestibulum in augue in ipsum...
+
+
+
+ https://staging.giveth.io/project/create-a-project-to-test-interactive-score
+ Create a Project to test interactive score
+ Tell an engaging story about your project, why should people care and why should
+they donate?
+Be specific about your project's progress and goals and structure your
+information so it’s easy to read by adding headers and paragraphs.
+Add links to your website, portfolio and any relevant social medi...
+
+
+
+ https://staging.giveth.io/project/recurringtest
+ RecurringTest
+ asd asd asd a dasd as daasd asd asd a dasd as daasd asd asd a dasd as daasd asd
+asd a dasd as daasd asd asd a dasd as daasd asd asd a dasd as daasd asd asd a
+dasd as daasd asd asd a dasd as daasd asd asd a dasd as da
+asd asd asd a dasd as daasd asd asd a dasd as daasd asd asd a dasd as daasd asd
+...
+
+
+
+ https://staging.giveth.io/project/anchor-test-5
+ Anchor test 5
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris a maximus orci.
+Sed accumsan mauris bibendum cursus imperdiet. In faucibus quam et mi
+vestibulum, id dictum lectus ultrices. Sed in iaculis eros. Nullam nunc purus,
+accumsan non lacus vel, condimentum eleifend velit. Proin varius bla...
+
+
+
+ https://staging.giveth.io/project/recurr
+ Recurr
+ fas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd
+asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as ...
+
+
+
+ https://staging.giveth.io/project/recur-123
+ Recur 123
+ fas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd
+asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as ...
+
+
+
+ https://staging.giveth.io/project/anchor-test-6
+ Anchor test 6
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris a maximus orci.
+Sed accumsan mauris bibendum cursus imperdiet. In faucibus quam et mi
+vestibulum, id dictum lectus ultrices. Sed in iaculis eros. Nullam nunc purus,
+accumsan non lacus vel, condimentum eleifend velit. Proin varius bla...
+
+
+
+ https://staging.giveth.io/project/recur-1234
+ Recur 1234
+ fas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd
+asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as ...
+
+
+
+ https://staging.giveth.io/project/anchor-test-7
+ Anchor test 7
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Duis ornare non purus a
+sodales. Donec a arcu sed lectus vestibulum blandit. Cras mollis sagittis
+dictum. Duis ut efficitur velit, at suscipit nibh. Proin ac feugiat elit. Ut
+libero felis, mollis at suscipit nec, facilisis ut nulla. In sit ...
+
+
+
+ https://staging.giveth.io/project/recur-12345
+ Recur 12345
+ fas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd
+asdfas dasd as dasd asdfas dasd as dasd asdfas dasd as dasd asd
+fas dasd as dasd asd
+fas dasd as dasd asdfas dasd as ...
+
+
+
+ https://staging.giveth.io/project/test-solana-23123
+ test solana 23123
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/yes-test
+ yes test
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/1test123
+ 1Test123
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/hbhaaa
+ HBHAAA
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/tgaccc
+ TGACCC
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/tgacccc
+ TGACCCC
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/abcdhgjkk
+ ABCDHGJKK
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/abcdhgjkkaaaa
+ ABCDHGJKKaaaa
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/abch-kad-lk
+ ABCH kad lk
+ sd ads asd ads sg s
+sd ads asd ads sg ssd ads asd ads sg s
+sd ads asd ads sg s
+sd ads asd ads sg ssd ads asd ads sg s
+sd ads asd ads sg s
+sd ads asd ads sg ssd ads asd ads sg s
+sd ads asd ads sg s
+sd ads asd ads sg ssd ads asd ads sg ssd ads asd ads sg s
+sd ads asd ads sg ssd ads asd ads sg s
+sd ...
+
+
+
+ https://staging.giveth.io/project/test-1232-0
+ test 1232
+ asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdf
+asd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd as das dasd a fsdsd
+as das
+d
+asd
+asd a
+sd
+fdfasd asd asd...
+
+
+
+ https://staging.giveth.io/project/test-yyyyy
+ test yyyyy
+ {
+protocol: 1,
+pointer: '',
+}
+{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',{
+protocol: 1,
+pointer: '',
+}
+{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',
+}{
+protocol: 1,
+pointer: '',
+}{
+proto...
+
+
+
+ https://staging.giveth.io/project/test-123123123
+ test 123123123
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nulla eleifend interdum
+convallis. In cursus lobortis nibh. Nunc sed quam quam. Class aptent taciti
+sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Sed a
+orci quam. Pellentesque hendrerit diam ut est placerat, nec ma...
+
+
+
+ https://staging.giveth.io/project/testv10
+ testV10
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/testallo03
+ testallo03
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo02
+ testallo02
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/peach-go-down-the-throat
+ Peach go down the throat
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed varius et elit sit
+amet aliquet. Integer feugiat placerat ligula, eu accumsan ligula semper ut.
+Phasellus in erat malesuada, aliquet purus ut, feugiat enim. Phasellus a tellus
+sodales, lobortis odio sit amet, suscipit lorem. Mauris eges...
+
+
+
+ https://staging.giveth.io/project/asd-asd-a-dsa
+ asd asd a dsa
+ CREATE A PROJECT
+1
+Ramin stag
+Connected to Goerli
+CREATE A PROJECT
+Project Name13/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SELECT A CATEGORY.
+...
+
+
+
+ https://staging.giveth.io/project/ad-sad-ssa
+ ad sad ssa
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Goerli
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SE...
+
+
+
+ https://staging.giveth.io/project/testarbi
+ testarbi
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/asd-ad-asd
+ asd ad asd
+ CREATE A PROJECT
+0
+Ramin sec222
+Connected to Goerli
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE SE...
+
+
+
+ https://staging.giveth.io/project/test-duplicate
+ test duplicate??
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/ntesta
+ NTesta
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo-profile
+ TestALLo profile
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo-profile02
+ TestALLO profile02
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testalloprofile03
+ testalloprofile03
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/test-alloprofile04
+ test alloprofile04
+ TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/testemail01
+ testemail01
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-23132
+ Test 23132
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras non rutrum diam.
+Ut id nunc lobortis, finibus mauris sit amet, rutrum lorem. Vestibulum ac
+scelerisque lectus, sed laoreet felis. Aliquam urna ligula, fermentum eget diam
+sit amet, placerat feugiat eros. Duis dapibus eros rutrum ipsum ...
+
+
+
+ https://staging.giveth.io/project/123asdasdqweqwe
+ 123asdasdqweqwe
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/testatest
+ testatest
+ Tell an engaging story about your project, why should people care and why should
+they donate?
+Be specific about your project's progress and goals and structure your
+information so it’s easy to read by adding headers and paragraphs.
+Add links to your website, portfolio and any relevant social medi...
+
+
+
+ https://staging.giveth.io/project/testbtest
+ testbtest
+ Tell an engaging story about your project, why should people care and why should
+they donate?
+Be specific about your project's progress and goals and structure your
+information so it’s easy to read by adding headers and paragraphs.
+Add links to your website, portfolio and any relevant social medi...
+
+
+
+ https://staging.giveth.io/project/testctest
+ testctest
+ Tell an engaging story about your project, why should people care and why should
+they donate?
+Be specific about your project's progress and goals and structure your
+information so it’s easy to read by adding headers and paragraphs.
+Add links to your website, portfolio and any relevant social medi...
+
+
+
+ https://staging.giveth.io/project/testaccount95
+ testaccount95
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo95
+ testallo95
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo950
+ testallo950
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo096
+ testallo096
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test090
+ test090
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallov0909
+ testallov0909
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-anchor-333
+ Test Anchor 333
+ Lorem ipsum dolor sit amet, consectetur adipiscing elit. Donec eget nunc id
+tortor consequat ultrices. Praesent vitae accumsan odio, et rutrum tortor.
+Maecenas id ornare quam. Nulla vitae condimentum elit. Suspendisse in nulla
+tellus. Pellentesque congue elit eu eros rhoncus aliquet nec mollis qu...
+
+
+
+ https://staging.giveth.io/project/anchor-test-1
+ Anchor Test 1
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/test-anchor-5
+ Test Anchor 5
+ * explaining who the organization is and what you will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repository of open-source projects.
+ *...
+
+
+
+ https://staging.giveth.io/project/anchor-test-56
+ Anchor test 56
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/testalloprofile01
+ TestAlloprofile01
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/test-13412
+ test 13412
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/test-123123-123123
+ test 123123 123123
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/test-123321
+ Test 123321
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/test-social-23
+ Test Social 23
+ * Clear project description explaining who the organization is and what you
+ will do with the funds.
+ * A unique or custom banner photo.
+ * No violations of our Covenant and/or Terms of Use.
+ * (Optional)Embedded photos, videos or legitimate external links.
+ * (Optional)A link to the repositor...
+
+
+
+ https://staging.giveth.io/project/test-social-media-2
+ test social media 2
+ CREATE A PROJECT
+0
+ramin first
+Connected to OP Sepolia
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL...
+
+
+
+ https://staging.giveth.io/project/test-social-media-3
+ test social media 3
+ CREATE A PROJECT
+0
+Ramin stag
+Connected to OP Sepolia
+CREATE A PROJECT
+Project Name0/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+PLEASE ...
+
+
+
+ https://staging.giveth.io/project/testprojectscore
+ testprojectscore
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testsolanchor
+ testsolanchor
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testallo06
+ testallo06
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIOTELL US ABOUT YOUR
+PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIOTELL US ABOUT YOUR
+PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTIOTELL US ABOUT YOUR
+PROJE...
+
+
+
+ https://staging.giveth.io/project/test-verif
+ test verif
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name
+10/55
+Title is required
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+A...
+
+
+
+ https://staging.giveth.io/project/test-verif-2
+ test verif 2
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name12/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’s...
+
+
+
+ https://staging.giveth.io/project/atest-verif-3
+ atest verif 3
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name
+13/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’...
+
+
+
+ https://staging.giveth.io/project/test-verif-3
+ test verif 3
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name12/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’s...
+
+
+
+ https://staging.giveth.io/project/test-verif-4
+ test verif 4
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name
+12/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’...
+
+
+
+ https://staging.giveth.io/project/test-pj
+ Test PJ
+ By popular request, I have written a code snippet that you can use to time an
+entire stored procedure run, rather than its components. Although this only
+returns the time taken by the last run, there are additional stats returned
+by sys.dm_exec_procedure_stats that may also be of value:
+By popula...
+
+
+
+ https://staging.giveth.io/project/asd-as-dasdasd-serwerwrw-sd
+ asd as dasdasd serwerwrw sd
+ Project Score
+0
+100
+IMPROVE YOUR SCORE
+CREATE A PROJECT
+Project Name14/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’s...
+
+
+
+ https://staging.giveth.io/project/testtelgramlink
+ testtelgramlink
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testamotestam01
+ testamotestam01
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/sanitytest05
+ sanitytest05
+ TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+TELL US ABOUT Y...
+
+
+
+ https://staging.giveth.io/project/asdv-d
+ asdv d
+ Project Score
+22
+100
+CREATE A PROJECT
+Project Name8/55
+
+TELL US ABOUT YOUR PROJECT...
+Aim for 200-500 words. How to write a good project description.
+Project story
+0 / 1200
+Describe your project with at least 1200 characters, tell us more!
+SOCIAL MEDIA LINKS
+Add your project’s social media links...
+
+
+
+ https://staging.giveth.io/project/mejana090
+ mejana090
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/mb
+ MB
+ anything anything anything anything anything anything
+anything anything anything anything anything anything
+anything anything anything anything anything anything
+anything anything anything anything anything anything
+anything anything anything anything anything anything
+anything anything anything ...
+
+
+
+ https://staging.giveth.io/project/testnela
+ testnela
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
+ https://staging.giveth.io/project/testing-the-success-view
+ testing the success view
+ ell an engaging story about your project, why should people care and why should
+they donate?
+Be specific about your project's progress and goals and structure your
+information so it’s easy to read by adding headers and paragraphs.
+Add links to your website, portfolio and any relevant social media...
+
+
+
+ https://staging.giveth.io/project/kkechy-test-project-for-checking-project-errors-on-give
+ Kkechy test project for checking project errors on give
+ Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem
+Ipsum has been the industry's standard dummy text ever since the 1500s, when an
+unknown printer took a galley of type and scrambled it to make a type specimen
+book. It has survived not only five centuries, but also t...
+
+
+
+ https://staging.giveth.io/project/kkechy-test-project-for-admin-action-options-inside-pro
+ Kkechy Test Project for admin action options inside pro
+ Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem
+Ipsum has been the industry's standard dummy text ever since the 1500s, when an
+unknown printer took a galley of type and scrambled it to make a type specimen
+book. It has survived not only five centuries, but also t...
+
+
+
+ https://staging.giveth.io/project/test-base01
+ test base01
+ TELL US ABOUT YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR PROJECT...
+AIM FOR 200-500 WORDS. HOW TO WRITE A GOOD PROJECT DESCRIPTION.TELL US ABOUT
+YOUR...
+
+
+
\ No newline at end of file
diff --git a/public/sitemap/qf-sitemap.xml b/public/sitemap/qf-sitemap.xml
new file mode 100644
index 0000000000..64f939f10e
--- /dev/null
+++ b/public/sitemap/qf-sitemap.xml
@@ -0,0 +1,364 @@
+
+
+
+
+ https://staging.giveth.io/qf-archive/testedit rond
+ testedit rond
+ testedit rond
+
+
+
+ https://staging.giveth.io/qf-archive/banner-e-baba
+ Banner Round
+ let's check the banner edge cases
+
+
+
+ https://staging.giveth.io/qf-archive/TestQFcondition
+ TestQFcondition
+
+
+
+
+ https://staging.giveth.io/qf-archive/Vr-Ar
+ Galactic Giving
+ VR/AR quad funding round test of test VR/AR quad funding round test of test test
+
+
+
+ https://staging.giveth.io/qf-archive/qf-stats
+ QF Stats Round
+
+
+
+
+ https://staging.giveth.io/qf-archive/mitch-lambo-round
+ mitch lambo
+
+
+
+
+ https://staging.giveth.io/qf-archive/testsuper
+ testsuper
+
+
+
+
+ https://staging.giveth.io/qf-archive/test_score100
+ test_score100
+
+
+
+
+ https://staging.giveth.io/qf-archive/test5000
+ test5000
+
+
+
+
+ https://staging.giveth.io/qf-archive/test_score_02
+ test_score_02
+
+
+
+
+ https://staging.giveth.io/qf-archive/test_score
+ test_score
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test_06
+ sybil_round_test_06
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test_05
+ sybil_round_test_05
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test_04
+ sybil_round_test_04
+
+
+
+
+ https://staging.giveth.io/qf-archive/cherik
+ cherik
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test_03
+ sybil_round_test_03
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test_01
+ sybil_round_test_01
+
+
+
+
+ https://staging.giveth.io/qf-archive/sybil_round_test
+ sybil_round_test
+
+
+
+
+ https://staging.giveth.io/qf-archive/round_test
+ round_test
+
+
+
+
+ https://staging.giveth.io/qf-archive/solana-round
+ Solana Round
+
+
+
+
+ https://staging.giveth.io/qf-archive/buidl
+ Buidl on Polygon
+
+
+
+
+ https://staging.giveth.io/qf-archive/TESTDESIGN
+ TESTDESIGN
+
+
+
+
+ https://staging.giveth.io/qf-archive/SafeRound
+ SafeRound
+
+
+
+
+ https://staging.giveth.io/qf-archive/68
+ ROUND_TesTi
+
+
+
+
+ https://staging.giveth.io/qf-archive/67
+ TEST-QF
+
+
+
+
+ https://staging.giveth.io/qf-archive/66
+ Ramin Gnosis Round
+
+
+
+
+ https://staging.giveth.io/qf-archive/65
+ TESTMAYA ROUND
+
+
+
+
+ https://staging.giveth.io/qf-archive/64
+ Optimism Test
+
+
+
+
+ https://staging.giveth.io/qf-archive/63
+ Optimism Round
+
+
+
+
+ https://staging.giveth.io/qf-archive/62
+ Polygon Test
+
+
+
+
+ https://staging.giveth.io/qf-archive/61
+ MITCHROUNDTEST
+
+
+
+
+ https://staging.giveth.io/qf-archive/60
+ polygon round
+
+
+
+
+ https://staging.giveth.io/qf-archive/59
+ A Polygon Round
+
+
+
+
+ https://staging.giveth.io/qf-archive/58
+ GivethRound2
+
+
+
+
+ https://staging.giveth.io/qf-archive/57
+ GivethRound
+
+
+
+
+ https://staging.giveth.io/qf-archive/56
+ MARYTESTROUND01
+
+
+
+
+ https://staging.giveth.io/qf-archive/55
+ NEWROUND
+
+
+
+
+ https://staging.giveth.io/qf-archive/54
+ Bug Smashing
+
+
+
+
+ https://staging.giveth.io/qf-archive/53
+ testtttttt
+
+
+
+
+ https://staging.giveth.io/qf-archive/21
+ testcherik
+
+
+
+
+ https://staging.giveth.io/qf-archive/20
+ ُTESTM
+
+
+
+
+ https://staging.giveth.io/qf-archive/19
+ testNN
+
+
+
+
+ https://staging.giveth.io/qf-archive/18
+ testmatch
+
+
+
+
+ https://staging.giveth.io/qf-archive/17
+ test matching again:)
+
+
+
+
+ https://staging.giveth.io/qf-archive/16
+ maryround100
+ Add Project Ids ListAdd Project Ids ListAdd Project Ids ListAdd Project Ids ListAdd Project Ids ListAdd Project Ids ListAdd Project Ids List
+
+
+
+ https://staging.giveth.io/qf-archive/15
+ Fround
+
+
+
+
+ https://staging.giveth.io/qf-archive/14
+ testmaryround
+
+
+
+
+ https://staging.giveth.io/qf-archive/13
+ utu
+
+
+
+
+ https://staging.giveth.io/qf-archive/12
+ tets
+
+
+
+
+ https://staging.giveth.io/qf-archive/11
+ test isActive
+
+
+
+
+ https://staging.giveth.io/qf-archive/10
+ QF-TEST
+ test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test test of test
+
+
+
+ https://staging.giveth.io/qf-archive/9
+ ram1
+
+
+
+
+ https://staging.giveth.io/qf-archive/8
+ MAYATESTI
+
+
+
+
+ https://staging.giveth.io/qf-archive/7
+ Ntest
+
+
+
+
+ https://staging.giveth.io/qf-archive/6
+ round for alireza
+
+
+
+
+ https://staging.giveth.io/qf-archive/5
+ tetstt
+
+
+
+
+ https://staging.giveth.io/qf-archive/4
+ testQFv02
+
+
+
+
+ https://staging.giveth.io/qf-archive/3
+ testa
+
+
+
+
+ https://staging.giveth.io/qf-archive/2
+ testmary
+
+
+
+
+ https://staging.giveth.io/qf-archive/1
+ test round 1
+
+
+
+
\ No newline at end of file
diff --git a/public/sitemap/users-sitemap.xml b/public/sitemap/users-sitemap.xml
new file mode 100644
index 0000000000..0dd4ba8397
--- /dev/null
+++ b/public/sitemap/users-sitemap.xml
@@ -0,0 +1,2359 @@
+
+
+
+
+ https://staging.giveth.io/user/0xad497ae8cc21bb1b5bfd3bebe947e3a6da1014ea
+ Ashley Test Project
+
+
+
+ https://staging.giveth.io/user/0x567355f84d44a982629d8675ab4aadbb92dbfd54
+ 0x5673…fd54
+
+
+
+ https://staging.giveth.io/user/0x76df12d22984a29bcb46bdf7fd51132e706fbe89
+ mitch#5765
+
+
+
+ https://staging.giveth.io/user/0x205fe05d53f3fec21fa92caa31acb6de252d0fd6
+ 0x205f…0fd6
+
+
+
+ https://staging.giveth.io/user/0x6f4113665903bd5273638ac020e3c4d5876bfab7
+ 0x6f41…fab7
+
+
+
+ https://staging.giveth.io/user/0xb7805b7b514b4bdbce556772915b2aa9179507a4
+ Donna Oftadeh
+
+
+
+ https://staging.giveth.io/user/0x9c364d7d69bd50a0d4035aeb50338e0940053185
+ karmaticacid#1218
+
+
+
+ https://staging.giveth.io/user/0xa6df5c4a4e9f2b96cc74e38377bb7f13eaa7ee5d
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x96d20f63837b916266e85e21ba610bb60dfa8edd
+ Algernon G. Wiggins
+
+
+
+ https://staging.giveth.io/user/0x7c477cd0dd0725a658a770437a4dd2736afc3293
+ <h1>123123 <h1>123123
+
+
+
+ https://staging.giveth.io/user/0x0de02200c29cd8bd3c83c21e6b8dcbab9d39692d
+ 0x0de0…692d
+
+
+
+ https://staging.giveth.io/user/0x63a32f1595a68e811496d820680b74a5cca303c5
+ 0x63a3…03c5
+
+
+
+ https://staging.giveth.io/user/0x5f672d71399d8cdba64f596394b4f4381247e025
+ Giv Test
+
+
+
+ https://staging.giveth.io/user/0xd4444fa32f03d4a578cdc3fbd07b9184556849cb
+ 0xd444…49cb
+
+
+
+ https://staging.giveth.io/user/0x6fb9520a0a136aafc88a959ed7a3279b2f98cf45
+ Ticon ThreeRivers
+
+
+
+ https://staging.giveth.io/user/0xe31b07525385bc250ddbe4d7651ea9991da04d9f
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x550d0fec5209777465863b12ac60c040dd97f9a5
+ Sherpa Baby
+
+
+
+ https://staging.giveth.io/user/0xb94664483e15c4f716c3060074f0f47f49960ed2
+ Calvin Luu
+
+
+
+ https://staging.giveth.io/user/0x7904b30bdd9000be89f6f47c455dd13764860901
+ Lauren 🦄🌱🐙
+
+
+
+ https://staging.giveth.io/user/0xf74528c1f934b1d14e418a90587e53cbbe4e3ff9
+ moenick Donor
+
+
+
+ https://staging.giveth.io/user/0x23a555d65202438e4ab65589063e3cf92fe7992c
+ Makasi Anansi
+
+
+
+ https://staging.giveth.io/user/0x6d97d65adff6771b31671443a6b9512104312d3d
+ Marko Prljic
+
+
+
+ https://staging.giveth.io/user/0xb46a595c65f62236eb7934b43397e0a05ea33c10
+ Pedro Kretz
+
+
+
+ https://staging.giveth.io/user/0x5a5a0732c1231d99db8ffca38dbef1c8316fd3e1
+ turpleturtle@protonmail.com
+
+
+
+ https://staging.giveth.io/user/0x9bb4991e2d2f75e71615030187ff47ff9169ca9d
+ Calvin Luu
+
+
+
+ https://staging.giveth.io/user/0x9e3ea3ea94754e60e9476bff4825dad31c0f77c5
+ Mateo Daza
+
+
+
+ https://staging.giveth.io/user/0x9893fe4f7240545197783c8321ddcca852b64944
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0xfec5c8fb525cffefacff9c2033d425ae4c473c9a
+ Dani Bellavita
+
+
+
+ https://staging.giveth.io/user/0xb2c62a505527954f99f4e516fe26e820c9897bec
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x15f394870dae3168c4cb445023009ac0476ad00e
+ Donna Oftadeh
+
+
+
+ https://staging.giveth.io/user/0xcd5f468cc58589a9473103ec59c869bea18cfb63
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0xda36327edce4a0611ae87a881200f361b80635ed
+ Cotabe Moral
+
+
+
+ https://staging.giveth.io/user/0xf30a0795c38fdfb73ee32cc208357634e6bce46a
+ 0xf30a…e46a
+
+
+
+ https://staging.giveth.io/user/0x077e5fbe6f2eeb1083acd5877b213d5f6ee071ba
+ Mateo Dazab
+
+
+
+ https://staging.giveth.io/user/0x072c52bd097a6d7aa3a61f6508d6f4e74c9a9ade
+ Hannah
+
+
+
+ https://staging.giveth.io/user/0xf797cbc14b8f4753593f815dbe7467ce45079b2f
+ Fateme Ghasemi
+
+
+
+ https://staging.giveth.io/user/0x4666557005362227ff55fd7c8f86e94c4a9528c9
+ Not donated
+
+
+
+ https://staging.giveth.io/user/0x0e5cbd7f26d47fc32edafb9d67356af1b90f7190
+ WhyldTorus
+
+
+
+ https://staging.giveth.io/user/0xaae4e53aa6f7d8e562798c3f488ffcf72cb6dbd4
+ 0xaae4…dbd4
+
+
+
+ https://staging.giveth.io/user/0xf0c7be282cb463a4e23c97b73f22bd7b58179b8d
+ Mateo Dazab
+
+
+
+ https://staging.giveth.io/user/0x9589e69845261b659346edced068a9e81683edae
+ 0x9589…edae
+
+
+
+ https://staging.giveth.io/user/0x6a85637a3fd338833933c16ee0c4a662183dd616
+ 0x6a85…d616
+
+
+
+ https://staging.giveth.io/user/0xdc97d94d35f0b642217b2dddc13fb6dcf4957313
+ 0xdc97…7313
+
+
+
+ https://staging.giveth.io/user/0xfd9ed14deaee901310b75fcca979d253c424f831
+ Mohammad Ranjbar Z
+
+
+
+ https://staging.giveth.io/user/0xd873efe781c1c576ad4eea814e297655709c1f85
+ 0xd873…1f85
+
+
+
+ https://staging.giveth.io/user/0xd1da06878d2817a358498c384418417a752dfa68
+ Corinna Schlicht
+
+
+
+ https://staging.giveth.io/user/0x820f703173d54993327316e784bd7e51b415b42a
+ 0x820f…b42a
+
+
+
+ https://staging.giveth.io/user/0x960a16c9070a9bbbb03e1bfd418982636d56d77d
+ p k
+
+
+
+ https://staging.giveth.io/user/0x0a0ef71f5c9738ef477b6b3d0d59d05d5c67929d
+ Unregistered profile
+
+
+
+ https://staging.giveth.io/user/0x160a42e35ee8bc4ec1ffea5c4fe7088b13914251
+ JamesF#7637
+
+
+
+ https://staging.giveth.io/user/0x4d2fbee86f989b867c3d6088d1187ed62962d9b6
+ Willy Ogorzaly
+
+
+
+ https://staging.giveth.io/user/0x3db054b9a0d6a76db171542bb049999dc191b817
+ Mateo Daza
+
+
+
+ https://staging.giveth.io/user/0x1e0c7e228da098356c0da6076373d4fc9bab1204
+ Algernon Wiggins
+
+
+
+ https://staging.giveth.io/user/0x791de65563a774b99d5c11720f09e53e59a6b794
+ aaaaaaaa sssssssssssq
+
+
+
+ https://staging.giveth.io/user/0xb4afecfc83341fe03dc04849df31f0c502602146
+ Matt Test
+
+
+
+ https://staging.giveth.io/user/0x8b08b4ef01792eccf99bfb1de3d92ca9a257a7ae
+ Mohammad Nikkhah
+
+
+
+ https://staging.giveth.io/user/0xbcf3cd5c336c94bca91f2ff272931d8df9249c60
+ Amin #3
+
+
+
+ https://staging.giveth.io/user/0x128746dda5c23302b85761e89575c2cdf6de5ad2
+ Amin 2
+
+
+
+ https://staging.giveth.io/user/0xaf0c886d4bdd80ec32822e729422fa92a54df462
+ Willy Ogorzaly
+
+
+
+ https://staging.giveth.io/user/0x63a32f1595a68e811496d820680b74a5cca303c5
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x05a1ff0a32bc24265bcb39499d0c5d9a6cb2011c
+ Willy Wonka
+
+
+
+ https://staging.giveth.io/user/0xbe6f56ed9e10e5f58876f7bdf1c83eedaa721fbc
+ Miss Gene
+
+
+
+ https://staging.giveth.io/user/0x62f49a875f09c82e104197afbb8a30e66bb96ba3
+ mitch oz
+
+
+
+ https://staging.giveth.io/user/0x2a7ae8118c11b5139afaf80b27ff59235593e97e
+ Tosin Ariyo
+
+
+
+ https://staging.giveth.io/user/0xe1ae6ca07035cca70bfec5f9cb70cb89cf2fc695
+ Marko Prljic
+
+
+
+ https://staging.giveth.io/user/0x4236864eda3b7863b4e543c2661fc14029e5fbec
+ as ad
+
+
+
+ https://staging.giveth.io/user/0x24792793bb40e66cb1c6e8897ecb520ff1dc4181
+ Matt Damon
+
+
+
+ https://staging.giveth.io/user/0xee9451878f7ae1b62fe372d2d0858c0aa39846a5
+ 0xee94…46a5
+
+
+
+ https://staging.giveth.io/user/0x1cb7b17d503564cd1e9d80bd54b5b200b75952ed
+ ecp.ozz@gmail.com
+
+
+
+ https://staging.giveth.io/user/0xea9f34a1ecd345b6e48e7fb80613a538b92e8085
+ 0xea9f…8085
+
+
+
+ https://staging.giveth.io/user/0xac8fa306ed108984841be82cb4c685dd8ea762b8
+ 0xac8f…62b8
+
+
+
+ https://staging.giveth.io/user/0xe5314b132963c9b31e3cc6f76851ba0c5fad8d0b
+ amin latifi
+
+
+
+ https://staging.giveth.io/user/0x9885a84930e3c8c865a1d3debdc204f990bab7c3
+ 0x9885…b7c3
+
+
+
+ https://staging.giveth.io/user/0x90b265d41b90d1b275fea74379571ba55f513550
+ Mateo test
+
+
+
+ https://staging.giveth.io/user/0xee841f9cc6eee6f0cbcb8a0f16770698bb09b484
+ harry pottter
+
+
+
+ https://staging.giveth.io/user/0xedd425359fb15e894c639b6a74112954486146b9
+ 0xedd4…46b9
+
+
+
+ https://staging.giveth.io/user/0x0ee4c971343808a8771f7154d07d9cc17fe35152
+ 0x0ee4…5152
+
+
+
+ https://staging.giveth.io/user/0x5d28fe1e9f895464aab52287d85ebff32b351674
+ Dani Belle
+
+
+
+ https://staging.giveth.io/user/0x26c0b52c8ce2f4878c1cad41ee224b2de93f93dc
+ 0x26c0…93dc
+
+
+
+ https://staging.giveth.io/user/0xded8dae93e585977bc09e1fd857a97d997b71fcd
+ Mateo Daza
+
+
+
+ https://staging.giveth.io/user/0x47d2416db82ed2a482ede8691456371fcc7350c4
+ MOE DAC
+
+
+
+ https://staging.giveth.io/user/0x2eeee719fb43364850bcb3d5d9d0d08825d61320
+ Giveth
+
+
+
+ https://staging.giveth.io/user/0x38f58ec37273eaf2ab29ccff8085a2d346c9a789
+ 0x38f5…a789
+
+
+
+ https://staging.giveth.io/user/0xbe43c9c6ed72d5ff897d90beedf37e2541c2f208
+ 0xbe43…f208
+
+
+
+ https://staging.giveth.io/user/0x38e05c8ec37e3d67b4f8e9bb6483b52856b7a77b
+
+
+
+
+ https://staging.giveth.io/user/0x65e5b20158e516e6a5d42aa4999657707437344d
+ 0x65e5…344d
+
+
+
+ https://staging.giveth.io/user/0x15f394870dae3168c4cb445023009ac0476ad00e
+ Dana
+
+
+
+ https://staging.giveth.io/user/0x97e4fde842b4581213bccf33b250804ed7c003f7
+ 0x97e4…03f7
+
+
+
+ https://staging.giveth.io/user/0xfe3b557e8fb62b89f4916b721be55ceb828dbd73
+ lolo lala
+
+
+
+ https://staging.giveth.io/user/0xfc615b87d5ccac0f82629217f34a886dbb909d93
+ 0xfc61…9d93
+
+
+
+ https://staging.giveth.io/user/0xac5fb2272434734da6d2f8155c6716e9b5625f3a
+ 0xac5f…5f3a
+
+
+
+ https://staging.giveth.io/user/0xe27f2e8321fb4c32525a4ed86d2902dba63491e4
+ Bryan Mutai
+
+
+
+ https://staging.giveth.io/user/0xb94268c327a1d07f43b592263559200c6ac56062
+ 0xb942…6062
+
+
+
+ https://staging.giveth.io/user/0xf057ebf590cea2acd78e1ff083517862482fef7b
+ amin latifi
+
+
+
+ https://staging.giveth.io/user/0x4479f2fbc10445c8df240bfea3febdc929b95d4c
+ 0x4479…5d4c
+
+
+
+ https://staging.giveth.io/user/0x021f3a02db921ae66d03aaea09ba197ffc936051
+ Sample User
+
+
+
+ https://staging.giveth.io/user/0x2db49556e55dd22421015181da386b5e669553c4
+ <h1>123123 <h1>123123
+
+
+
+ https://staging.giveth.io/user/0x514ed72f1396107eb2d280f26b88d460836946c0
+ 0x514e…46c0
+
+
+
+ https://staging.giveth.io/user/0xe09af7f569c817521a6e8eaac37fba4f28f98c81
+ 0xe09a…8c81
+
+
+
+ https://staging.giveth.io/user/0xa53e50ad95a6a397e7a773f3aa2874ce36ab87e7
+ donna oftadeh
+
+
+
+ https://staging.giveth.io/user/0xd1c9718dd11bb61361d6f0888fc104ea3aa2a7f4
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x88fb1fb173cfb3438cae229e8bce57088f51bb5d
+ 0x88fb…bb5d
+
+
+
+ https://staging.giveth.io/user/0x7554f10da3ed7128300577e55abcd8f8835bcee4
+ 0x7554…cee4
+
+
+
+ https://staging.giveth.io/user/0x5755a6df9048d4f19086d22f814899e21a92132f
+ Lauren Bane
+
+
+
+ https://staging.giveth.io/user/0xeadb2c40f2a2fb7505d70ff0394c795347a84236
+ divine_comedian#5493
+
+
+
+ https://staging.giveth.io/user/0xfc16e6a18a6837cb6a2605415eaf092bb549531e
+ 0xfc16…531e
+
+
+
+ https://staging.giveth.io/user/0x07d9256aaeacc16d0d5293f8ae12eb458f148dab
+ Mateo Daza
+
+
+
+ https://staging.giveth.io/user/0x6aeeb12fe14b7dae54277e6bb0042466e2161bf8
+ q wwq
+
+
+
+ https://staging.giveth.io/user/0x7bf395214d4c636c0a415ed69f66a0356b18b2fb
+ 0x7bf3…b2fb
+
+
+
+ https://staging.giveth.io/user/0xeb89b451e68613b4ad7dccc9c23f35f94149b93a
+ 0xeb89…b93a
+
+
+
+ https://staging.giveth.io/user/0xf9be4475d5041c2f66de7d74630bf16c4bb70752
+ 0xf9be…0752
+
+
+
+ https://staging.giveth.io/user/0x2ebb1c333bd14d86370f644f9285a2c5574bae41
+ 0x2ebb…ae41
+
+
+
+ https://staging.giveth.io/user/0x117e52e71a69f508745773f0797276835f960877
+ jahanzaib hassan
+
+
+
+ https://staging.giveth.io/user/0xdb48f89e04bab295a199ed08b9d12fdaccbab11c
+ 0xdb48…b11c
+
+
+
+ https://staging.giveth.io/user/0xce9dc5bec738b1be843e7aae665ad89f9ee218fc
+ Burner Mateo
+
+
+
+ https://staging.giveth.io/user/0x407f16c6334e76534c7d238767ea843493744605
+ oz oz
+
+
+
+ https://staging.giveth.io/user/0x33878e070db7f70d2953fe0278cd32adf8104572
+ Ahmad A
+
+
+
+ https://staging.giveth.io/user/0xb93f6937db42a9775e75b7e84b9382baeedc875b
+ Ramin Ramazanpour
+
+
+
+ https://staging.giveth.io/user/0x62bb362d63f14449398b79ebc46574f859a6045d
+ 0x62bb…045d
+
+
+
+ https://staging.giveth.io/user/0x341da6347cf9832968add7f5e6f4e3a72e2dba03
+ 0x341d…ba03
+
+
+
+ https://staging.giveth.io/user/0x29ffebca51ecd940cb37ef91ff83cd739553b93e
+ 0x29ff…b93e
+
+
+
+ https://staging.giveth.io/user/0x1ae8888ffed695b153cb055147fbd9db1cd8c866
+ 0x1ae8…c866
+
+
+
+ https://staging.giveth.io/user/0xcc956b097b9d928d4b3dfd88eb041252c313912c
+ 0xcc95…912c
+
+
+
+ https://staging.giveth.io/user/0x5c3432eb55f96660758fee36f1925e6ffefcfe39
+ 0x5c34…fe39
+
+
+
+ https://staging.giveth.io/user/0xd13ab4e75002320784d158d9cb74871cd19c8a30
+ Juan Rodriguez
+
+
+
+ https://staging.giveth.io/user/0xd7a679c7f93bdf6505e90e50199f4a141b6ebf5c
+ 0xd7a6…bf5c
+
+
+
+ https://staging.giveth.io/user/0x0bdb004c7b66f0332beb113cd4d253ddf319a6cd
+ 0x0bdb…a6cd
+
+
+
+ https://staging.giveth.io/user/0x73373d99a09050c1a9d9ce473711ca1ab5f6c52d
+ f'd'sa fdsa
+
+
+
+ https://staging.giveth.io/user/0x29ea1fc04ea51548064ccdc5c825a067d8187c53
+ Not Registered 1
+
+
+
+ https://staging.giveth.io/user/0x54b6ce742fbc89632d5bf94828b7caba6f8e3d65
+ 0x54b6…3d65
+
+
+
+ https://staging.giveth.io/user/0x0768b05fa06c8270f6d9fc21c2a9471b9447715f
+ 0x0768…715f
+
+
+
+ https://staging.giveth.io/user/0x960d6c868b670bcee915f5339eec0e81fd154f0e
+ Nottt Registered44
+
+
+
+ https://staging.giveth.io/user/0x9b9f428a9608c8b2f7598d71c7c6decf44b0b46d
+ Moooo Moooo
+
+
+
+ https://staging.giveth.io/user/0x324be1bc256e97cf9a858a37d880bce687671215
+ James Farrell
+
+
+
+ https://staging.giveth.io/user/0x9cd1272e86deec74f965f929c610995f61012c6c
+ Nott Registered 21
+
+
+
+ https://staging.giveth.io/user/0x8b79f3d4db138f5599b41920bf7d1bf4fdd6f535
+ 0x8b79…f535
+
+
+
+ https://staging.giveth.io/user/0x3bd672ec3d56e4a87a1a0d43cf2a84c8664e3869
+ 0x3bd6…3869
+
+
+
+ https://staging.giveth.io/user/0xb20a327c9b4da091f454b1ce0e2e4dc5c128b5b4
+ Lolo Lala
+
+
+
+ https://staging.giveth.io/user/0xc4f3c42d284bb33cab7d75670b30dfdf87124c08
+ test
+
+
+
+ https://staging.giveth.io/user/0x89caea77ef474c52972731566d47a824da4cee18
+ Lauren Marysia
+
+
+
+ https://staging.giveth.io/user/0xee0e49215196fddebcd86a4be14db27b492b60d2
+ AdminCarlos
+
+
+
+ https://staging.giveth.io/user/0xaf3b33119c97f4b9cdda7b8b03887eab4e52ba24
+ JK_Complete_Profile1 Test
+
+
+
+ https://staging.giveth.io/user/0xa1ba09a457e7257563f2feced05a22bfc8bfb832
+ 0xa1ba…b832
+
+
+
+ https://staging.giveth.io/user/0x3d143a2329fb4480357303e79d76377a2aba7099
+ John Mark
+
+
+
+ https://staging.giveth.io/user/0x6f5b28a04442e4920dbfd34c5015d186af0f3d44
+ 0x6f5b…3d44
+
+
+
+ https://staging.giveth.io/user/0xe311b3117ec11451d43a7b50f7f84c443c9d8c09
+ Moe Nick
+
+
+
+ https://staging.giveth.io/user/0xa2f21a33e62ab9eecfcf67d8ccf3a3a5c1cbdd1a
+ Ram Brave
+
+
+
+ https://staging.giveth.io/user/0xf3bab2f1add2af035f489d7f3fb45a2411ed89ba
+ Moe nnm
+
+
+
+ https://staging.giveth.io/user/0xc0f2a154aba3f12d71af25e87ca4f225b9c52203
+ 0xc0f2…2203
+
+
+
+ https://staging.giveth.io/user/0x4487192faaf31930c4308c443f18b62a05661c85
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x0d22735de6d34dc2ed5efdbc2f30d7aa8e2b9f8e
+ Almond Hdz
+
+
+
+ https://staging.giveth.io/user/0x90f8bf6a479f320ead074411a4b0e7944ea8c9c1
+ 0x90f8…c9c1
+
+
+
+ https://staging.giveth.io/user/0x6a1074fa01e23ccb684269b35cbf5e2ca23b50c6
+ 0x6a10…50c6
+
+
+
+ https://staging.giveth.io/user/0xff75e131c711e4310c045317779d39b3b4f718c4
+ Giant Test
+
+
+
+ https://staging.giveth.io/user/0xa691d70b4342b820cad991686226a8edf9ce1e63
+ 0xa691…1e63
+
+
+
+ https://staging.giveth.io/user/0x3c44cdddb6a900fa2b585dd299e03d12fa4293bc
+ magnus magnificus
+
+
+
+ https://staging.giveth.io/user/0xa480c755fa5824a3ec3ec62883a41df420ebb0dd
+ magnus magnanimus
+
+
+
+ https://staging.giveth.io/user/0x0e2e7af88d8d45b011e899f0f3c2fbd09db35aa0
+ 0x0e2e…5aa0
+
+
+
+ https://staging.giveth.io/user/0xd72259659fda669700f79d6180cef5347100dd8e
+ ram mobile
+
+
+
+ https://staging.giveth.io/user/0x7bc4fc8fdf84c62c8267161d37ba3c6b77db9767
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x935d8faab8914af0f5309045a43437a969a02528
+ magnus magnanimus
+
+
+
+ https://staging.giveth.io/user/0x25caf834fa0ba8c2a0bf31cff8fd386136daed68
+ 0x25ca…ed68
+
+
+
+ https://staging.giveth.io/user/0x70997970c51812dc3a010c7d01b50e0d17dc79c8
+ magnus magnanimus
+
+
+
+ https://staging.giveth.io/user/0x697a5c74e2cb9fdf8befb02f1c4a7de4a90d1fff
+ ad ad
+
+
+
+ https://staging.giveth.io/user/0xb62f52e76fc24670a93b262cebd07ec4634d191f
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x88f9cc3fdf69f56d4b60ac396618cd2c04025baf
+ 0x88f9…5baf
+
+
+
+ https://staging.giveth.io/user/0xd6c10a567a6d06ebb357f7b93195c65ec9f42ab4
+ 0xd6c1…2ab4
+
+
+
+ https://staging.giveth.io/user/0x0ecc0497a5d39da740f31b6f7aa04cbd320d86a7
+ 0x0ecc…86a7
+
+
+
+ https://staging.giveth.io/user/0x8315e25c4f4daade38a78497c3f7537cea750cc5
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0xf8400803fce9c644e88e58aa1acd1ea0cc915694
+ ad asd
+
+
+
+ https://staging.giveth.io/user/0x5fafdfa81795c6407011d814bf6f2572aab82573
+ 0x5faf…2573
+
+
+
+ https://staging.giveth.io/user/0x86bd27ac690a828328b3eb057271befda7369897
+ 0x86bd…9897
+
+
+
+ https://staging.giveth.io/user/0x200c0bc0e9f5c15c2ac8a9f6109014c136a76766
+ maryam jafarymehr
+
+
+
+ https://staging.giveth.io/user/0x233a77df87eba27bf42e9206f58a3d3d24bc4764
+ ads ad
+
+
+
+ https://staging.giveth.io/user/0xbaa97d825363c1a827b03ddb8e55ba088038ca3b
+ 0xbaa9…ca3b
+
+
+
+ https://staging.giveth.io/user/0x75255cfd469571edc24437b571a3673ec4dd33b5
+ 0x7525…33b5
+
+
+
+ https://staging.giveth.io/user/0xb70fa4f317bae86bb616f802ed9b0f0a6a493152
+ adasd adasd
+
+
+
+ https://staging.giveth.io/user/0x502677768b396458d63d8c0e146d39d6dd0dcaea
+ 0x5026…caea
+
+
+
+ https://staging.giveth.io/user/0xc628c380306e81b055b2964255b60c8699db8ebf
+ asd ad
+
+
+
+ https://staging.giveth.io/user/0x278ead8af28a7882ce74482dbd83e891965f2a4c
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0xbd5aa05dae74403d0c0908b81a0adc172c824ac8
+ 0xbd5a…4ac8
+
+
+
+ https://staging.giveth.io/user/0x884d92add0eeffae6861b2ca9ecff132977931dd
+ asd ASD
+
+
+
+ https://staging.giveth.io/user/0x37a2dc9a058946641ed23ba4b57fe912fcca5839
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0xd6ce27469d7dcbbe990c545b7341e43e53c60040
+ aawd a
+
+
+
+ https://staging.giveth.io/user/0x127e4319a2f153ae30b4eca52adf3c05ebf6b58a
+ asd ad
+
+
+
+ https://staging.giveth.io/user/0xc37acc2b47103a5dcffc5c5e56f3db44fcb5b34d
+ 0xc37a…b34d
+
+
+
+ https://staging.giveth.io/user/0x2e033ee5d9c400d1f8bb11b141e5f32dfa17f50e
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0xc41a9420cf03b8583e6da037d6646bec217ad2f5
+ asd as
+
+
+
+ https://staging.giveth.io/user/0xd7542dc0f58095064bfef6117fac82e4c5504d28
+ Mohammad reza Saeedi
+
+
+
+ https://staging.giveth.io/user/0xad6f9db40ebaa3e3d5423411bda6c577069209df
+ Luca Gnochi
+
+
+
+ https://staging.giveth.io/user/0xc74deb1303767c2d0e394e1b6c23d4836d13f84b
+ 0xc74d…f84b
+
+
+
+ https://staging.giveth.io/user/0x055fc11e36660929c8de3be35909f3bb13963d69
+ sdf df
+
+
+
+ https://staging.giveth.io/user/0x06989cf3cefcb74fc7637db8a799c2117ba58578
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x86a946aaa2c7613195289056359737e439f6daa9
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x20e3ce7d1f1cf5b6340aabd71c60e3726b76c575
+ ad awsd
+
+
+
+ https://staging.giveth.io/user/0x869e4842d9e4a619fad25e7eda3ae7c085757123
+ 0x869e…7123
+
+
+
+ https://staging.giveth.io/user/0xa9ccd6b0919e43fd7cfc990572e43c3cf6a17397
+ Doo Little
+
+
+
+ https://staging.giveth.io/user/0x9cc4edc3059541214341e89d147fd5a1eb1af7b5
+ Tor Test Us
+
+
+
+ https://staging.giveth.io/user/0x689601220af902ed27e93b05e3b0026ec9092f07
+ 0x6896…2f07
+
+
+
+ https://staging.giveth.io/user/0x08c2828ec23eaa2434861cedf8469572c2fd2ea7
+ Sebastian Muscillo
+
+
+
+ https://staging.giveth.io/user/0x981e7512e87d2f7228d3f03b65950eb6a1b21bac
+ 0x981e…1bac
+
+
+
+ https://staging.giveth.io/user/0xfcfedf368e055de62336f6b68d8e25c20e282204
+ 0xfcfe…2204
+
+
+
+ https://staging.giveth.io/user/0x2a3522042d44278689a7a15aa2ef5fabed1a9c8e
+ Kay
+
+
+
+ https://staging.giveth.io/user/0x8042a42fff649cdcd8b46a28d75c7fab04956447
+ 0x8042…6447
+
+
+
+ https://staging.giveth.io/user/0x2ea846dc38c6b6451909f1e7ff2bf613a96dc1f3
+ 0x2ea8…c1f3
+
+
+
+ https://staging.giveth.io/user/0xb2bbae6c1dc87911591fffa3ddc885f083f2169c
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0xaa62a6e97ff377d46a43d54a29f9c720e370ee3c
+ Darcy Giblin
+
+
+
+ https://staging.giveth.io/user/0xae4d2ac5b97087c9faefcc7f8f16ebe2fd71488a
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x460e9d08e0054dbb9d517060f0ce17136585cf4a
+ 0x460e…cf4a
+
+
+
+ https://staging.giveth.io/user/0xb602f549d65025d9c66536104a083d873865e2c1
+ asd asd
+
+
+
+ https://staging.giveth.io/user/0x35af11a06e9e2a9ae14b1d29826e1e26c6d6f6ce
+ 0x35af…f6ce
+
+
+
+ https://staging.giveth.io/user/0x701d0ecb3ba780de7b2b36789aec4493a426010a
+ K Y
+
+
+
+ https://staging.giveth.io/user/0xd49b1e6f160f55d5bb68a146269446d70b577faf
+ 0xd49b…7faf
+
+
+
+ https://staging.giveth.io/user/0x920995d5d5128b6222a8229972a0035cf12ed1de
+ 0x9209…d1de
+
+
+
+ https://staging.giveth.io/user/0x9021346151cab1467982766e417377eaf8323aae
+ 0x9021…3aae
+
+
+
+ https://staging.giveth.io/user/0x48a3cf9b05993e39b16866ff13b6134d3fed0cab
+ Mitch Okay
+
+
+
+ https://staging.giveth.io/user/0x6f1203f7e37d1f269885ee4adcefc0ec2d3fb261
+ 0x6f12…b261
+
+
+
+ https://staging.giveth.io/user/0xd20a6663ecbdbf6d791b2487c1a5adf239bf02d5
+ 0xd20a…02d5
+
+
+
+ https://staging.giveth.io/user/0xe3a6babb1fe3d34128b9a66ea5314842d6b6f3fc
+ 0xe3a6…f3fc
+
+
+
+ https://staging.giveth.io/user/0xc7e2c6e63e85d663972f1ffe0f13de6c2ae1bcd2
+ pfp72 test
+
+
+
+ https://staging.giveth.io/user/0x7a598e1d274be99b9fe29ffcf81e7a0e9d4caec4
+ PFP TEST
+
+
+
+ https://staging.giveth.io/user/0x847e57d033c7a42615854cc6c7a7fb0a54e4b1a7
+ PFP01 test
+
+
+
+ https://staging.giveth.io/user/0xec2407f532e3629a4a16722171445f87911fc6d1
+ 0xec24…c6d1
+
+
+
+ https://staging.giveth.io/user/0x06263e1a856b36e073ba7a50d240123411501611
+ mitch motch
+
+
+
+ https://staging.giveth.io/user/0xb0813013c160573d551c986f70a7fd7e9dd0f3ce
+ pfp21 tesst
+
+
+
+ https://staging.giveth.io/user/0x15a46c90da82dfa0e31f1ecdf53a940278226a91
+ 0x15a4…6a91
+
+
+
+ https://staging.giveth.io/user/0x106a2c4963d88821d5b697c509ade6cf1bc4722c
+ PFP25 test
+
+
+
+ https://staging.giveth.io/user/0xf41b98a4c32bb61468c8001e0c69ef64ce6dea57
+ MAYELI AGUILAR
+
+
+
+ https://staging.giveth.io/user/0x4172774bdf64992b745d365575b2c4cf650e18a4
+ pfp50 test
+
+
+
+ https://staging.giveth.io/user/0xf019866041234f161c252b9c48786e712ea6f5ed
+ pfp51 test
+
+
+
+ https://staging.giveth.io/user/0x3684925bfd360e0e9664f26853cb9209e1e9a6da
+ 0x3684…a6da
+
+
+
+ https://staging.giveth.io/user/0xf49da4102e80bb9e6fa6f1cc62a0f2c6a6819796
+ 0xf49d…9796
+
+
+
+ https://staging.giveth.io/user/0xe54793cfaaa68f13c4c9f1fbc1197eb42295fa6a
+ Oscar Alejandro Gomez Cervera
+
+
+
+ https://staging.giveth.io/user/0xafa96879bd906241741f984a6d477451863f7327
+ D Suga
+
+
+
+ https://staging.giveth.io/user/0xfb21b320ab0f58e6e2e769a8cbc593625f11f634
+ pfp78 test
+
+
+
+ https://staging.giveth.io/user/0xa602bba404f3eea8231398df0cfa78b46550331d
+ maryam mehra
+
+
+
+ https://staging.giveth.io/user/0x324be1bc256e97cf9a858a37d880bce687671215
+ 0x324b…1215
+
+
+
+ https://staging.giveth.io/user/az6vkdtb1fezsgqxv2v4jfh8s5bvmzqdprfb3wuluxdu
+ az6vkd…uxdu
+
+
+
+ https://staging.giveth.io/user/dxw5rkvlggo9sqvbxmht1wvbaz9ovrfwdp89jnzmmw9m
+ Mw9m burner02
+
+
+
+ https://staging.giveth.io/user/0x071f090281de986477f8d2272130580bd3e2ac4e
+ 0x071f…ac4e
+
+
+
+ https://staging.giveth.io/user/0x9f36cf5880ffd72199d0cfca63c611e2cc475afb
+ pfp77 test
+
+
+
+ https://staging.giveth.io/user/0x1284b9a1f8dfc08ef28c0349986374a3cdc2b9d5
+ pfp83 test
+
+
+
+ https://staging.giveth.io/user/0x47dd73382c4901b5ec13683da49f2055d712d86f
+ pfp87 test
+
+
+
+ https://staging.giveth.io/user/0x464fd3da704a6f684cbb19bca4d322addf8f5876
+ pfp84 test
+
+
+
+ https://staging.giveth.io/user/8q4e7yktlub3sksa23njwwok2hbvwyqtgxkmvkn6c4z3
+ 8q4e7y…c4z3
+
+
+
+ https://staging.giveth.io/user/0x492ae4dac7c54b54c7f2ecb365637535aa94ab25
+ Ashley Ambassador
+
+
+
+ https://staging.giveth.io/user/0x30536f1f89592f69dad681043420dc647443d6dc
+ test85pfp testa
+
+
+
+ https://staging.giveth.io/user/0x43f0e14b68c1760d57d8513386d143b5b1ee6c2b
+ Mayra Castillo
+
+
+
+ https://staging.giveth.io/user/0x74637eef5deea5e685ab181699415b7f29bf9dfe
+ 0x7463…9dfe
+
+
+
+ https://staging.giveth.io/user/0xe8bb5971e2ebdacf528a0a4da159eb9e5c6e3227
+ pfp70 test
+
+
+
+ https://staging.giveth.io/user/0x5a1389e2065ed869e5493d96b529d56f0de68d40
+ h h
+
+
+
+ https://staging.giveth.io/user/0xa823ae9d0585ccb787631cc1e594db53f8a8bbe0
+ pfp82 test
+
+
+
+ https://staging.giveth.io/user/0xfd56a9c43ead1d4622353b80108ce721a65359e9
+ pfp79 test
+
+
+
+ https://staging.giveth.io/user/0x2fee53687906ba239602ed42cceee2ac8a4ada36
+ danel suga
+
+
+
+ https://staging.giveth.io/user/0xe64113140960528f6af928d7ca4f45d192286a7a
+ Cotabe Moral
+
+
+
+ https://staging.giveth.io/user/0x76f91c41893e6ab0e5d5059a5cf9c77a40ee2efc
+ testppfpf86 test
+
+
+
+ https://staging.giveth.io/user/0xa2f966dafe24c7c78a5f71298f798ab9a2eb7a90
+ 0xa2f9…7a90
+
+
+
+ https://staging.giveth.io/user/0x388ab519708a2f4ab87e226c1ca2edf7b3075c0f
+ 0x388a…5c0f
+
+
+
+ https://staging.giveth.io/user/0x8110d1d04ac316fdcace8f24fd60c86b810ab15a
+ 0x8110…b15a
+
+
+
+ https://staging.giveth.io/user/0x8626f6940e2eb28930efb4cef49b2d1f2c9c1199
+ magnus magnificus
+
+
+
+ https://staging.giveth.io/user/0x76a1f47f8d998d07a15189a07d9aada180e09ac6
+ 0x76a1…9ac6
+
+
+
+ https://staging.giveth.io/user/0x4d0ea8baac3fee45ef77776b492e4c6e97dd2332
+ q w
+
+
+
+ https://staging.giveth.io/user/0xdd505da2e2a8017f38a715948c6b6a2922ba27f0
+ beep boop
+
+
+
+ https://staging.giveth.io/user/0x43d40fc3ba8ca44341c99652ec609d327c2c8c4e
+ 0x43d4…8c4e
+
+
+
+ https://staging.giveth.io/user/0xd00a9d501a6a37085dc37664eba5a579ef7df160
+ 0xd00a…f160
+
+
+
+ https://staging.giveth.io/user/0x5adfd433f62be9927f7dfd5fa71c7250635287d4
+ pfp89 yey
+
+
+
+ https://staging.giveth.io/user/0xf02af70564fd71d151fee3582b9352b3167273f7
+ John Tester
+
+
+
+ https://staging.giveth.io/user/0x2fa130927814b590623031e846f059df9554fdde
+ Vyvy veeeeeeeeeee
+
+
+
+ https://staging.giveth.io/user/0xdcd22a10e29f2ce77be37bf48634b3eadde61da5
+ 0xdcd2…1da5
+
+
+
+ https://staging.giveth.io/user/0x02bc907253526170aaaf8062339cc6fcc4abeed1
+ mary mehr
+
+
+
+ https://staging.giveth.io/user/0x56f0e3416c1d67c93f988177510458e2d6c6f9a2
+ testtt 2805
+
+
+
+ https://staging.giveth.io/user/0xeb04f8815ef073a237589ab3a0cc0dc1f8b453ad
+ testcase testcase
+
+
+
+ https://staging.giveth.io/user/0xa4d506434445bb7303ea34a07bc38484cdc64a95
+ Moe Main
+
+
+
+ https://staging.giveth.io/user/0x436e1014f18ecaba0d6ce1aa6da4aa25bc05e334
+ 0x436e…e334
+
+
+
+ https://staging.giveth.io/user/0x8132505baedbaa7320b8f2340f65976edc0e8fbc
+ 0x8132…8fbc
+
+
+
+ https://staging.giveth.io/user/0x9194b1713a8e07bc47b90fb7937e28e09b6cd100
+ 0x9194…d100
+
+
+
+ https://staging.giveth.io/user/0x38f80f8f76b1c44b2beefb63bb561f570fb6ddb6
+ Freshelle
+
+
+
+ https://staging.giveth.io/user/0xf27838b0c3ba2eee13b6ed3fe13a90ef7b57a2cc
+ 0xf278…a2cc
+
+
+
+ https://staging.giveth.io/user/0x4d5dd4d81d773c05ce27aba03e2f3e346c3f8e54
+ Zeptimus Kaneki
+
+
+
+ https://staging.giveth.io/user/0x01ac060ceb20468ee8e4cfdd0e6b2fa62bfa30af
+ John Doe
+
+
+
+ https://staging.giveth.io/user/0xd9d5d85b2682830ac58a78c279e0c177953738b4
+ Nicbals Bahala
+
+
+
+ https://staging.giveth.io/user/0x059993704aa537db4374d0cf7ef442f45ee7e018
+ 0x0599…e018
+
+
+
+ https://staging.giveth.io/user/0xb9573982875b83aadc1296726e2ae77d13d9b98f
+ 0xb957…b98f
+
+
+
+ https://staging.giveth.io/user/0xcc24fde84f1a18cb857f112eeea4a35192063663
+ 0xcc24…3663
+
+
+
+ https://staging.giveth.io/user/0x5002e43374e4f51b71546a0f9b2d08f29a4415a2
+ 0x5002…15a2
+
+
+
+ https://staging.giveth.io/user/0x54e838e5654ebbf6364329b2d19c59ae69ea908c
+ 0x54e8…908c
+
+
+
+ https://staging.giveth.io/user/0x144c4e5027b69f7798b2b162d924bcae5c149f15
+ Pedro Parrachia
+
+
+
+ https://staging.giveth.io/user/0x1d53a0a94450d3c0e37e205d5705fcfa2a776011
+ 0x1d53…6011
+
+
+
+ https://staging.giveth.io/user/0x195dbf2bc588b57a06c9d07e79101de47d6567a6
+ 0x195d…67a6
+
+
+
+ https://staging.giveth.io/user/0x7fc80fad32ec41fd5cfcc14eee9c31953b6b4a8b
+ 0x7fc8…4a8b
+
+
+
+ https://staging.giveth.io/user/0xe04885c3f1419c6e8495c33bdcf5f8387cd88846
+ 0xe048…8846
+
+
+
+ https://staging.giveth.io/user/0x0fee039dce40efc9ad869f3562b062e9dd18cba8
+ 0x0fee…cba8
+
+
+
+ https://staging.giveth.io/user/0xe41db7928cbb6cea07845a0b574a14f6cbb40999
+ 0xe41d…0999
+
+
+
+ https://staging.giveth.io/user/0x43664b06911bd2f1f7ee76cf6a82786106005a4f
+ maryana mehr
+
+
+
+ https://staging.giveth.io/user/0x5ac583feb2b1f288c0a51d6cdca2e8c814bfe93b
+ Mohammad Ranjbar
+
+
+
+ https://staging.giveth.io/user/0x75264d5b324516cb9f302b44d36b50e913ad1368
+ 0x7526…1368
+
+
+
+ https://staging.giveth.io/user/0xa3b91f680e50408600c384c13c71bc339447489f
+ 0xa3b9…489f
+
+
+
+ https://staging.giveth.io/user/0xa392aea18d8c3d34b1904962fa24b733753923d6
+ 0xa392…23d6
+
+
+
+ https://staging.giveth.io/user/0xde1980482cdbf04f465b3b91f5f63beb28ddb4c1
+ 0xde19…b4c1
+
+
+
+ https://staging.giveth.io/user/0x6807da59ccc8b220fb287dc22f06a015ebdf0f4f
+ 0x6807…0f4f
+
+
+
+ https://staging.giveth.io/user/0x7dd2018d50a83173bc2b6f9ea426d4f491d79c3d
+ 0x7dd2…9c3d
+
+
+
+ https://staging.giveth.io/user/0x7e2fd90a399abecfeee0ec85b8d60f7fe86cccd2
+ 0x7e2f…ccd2
+
+
+
+ https://staging.giveth.io/user/0xed4ecaa571ec4967e991437ce573f94c67d2c415
+ 0xed4e…c415
+
+
+
+ https://staging.giveth.io/user/0x0b2d7ccd6bef317749641431d54ec9d76dff7efb
+ 0x0b2d…7efb
+
+
+
+ https://staging.giveth.io/user/0xb49ae2786dc779b14aa151f8f6c3e54a3d45cfa7
+ 0xb49a…cfa7
+
+
+
+ https://staging.giveth.io/user/0xd164af956e0f34be07a86752fe43ae788f647531
+ 0xd164…7531
+
+
+
+ https://staging.giveth.io/user/0xd2aee21c635c3fcc8d7ae547a721b99f18e43266
+ 0xd2ae…3266
+
+
+
+ https://staging.giveth.io/user/0x224ff448f375f183dce7593bb29c1aa5a0820d9a
+ 0x224f…0d9a
+
+
+
+ https://staging.giveth.io/user/0x0fa6fc01d4c3a33845d07952a4e4f4c615d422d0
+ 0x0fa6…22d0
+
+
+
+ https://staging.giveth.io/user/0xed8db37778804a913670d9367aaf4f043aad938b
+ Ash Ley
+
+
+
+ https://staging.giveth.io/user/0x3d0de20b1799c4362f881d0d75ffca3a9a9266f7
+ pfp88 test
+
+
+
+ https://staging.giveth.io/user/0x1d43cbde660c097fb2bc6708ef4beb4a8f7fdb01
+ 0x1d43…db01
+
+
+
+ https://staging.giveth.io/user/0x90a29e9f7f7639f725b76bb3ba833fe5d234b771
+ Giveth Love
+
+
+
+ https://staging.giveth.io/user/0x81c0d8b1ae52bd8c7ce265f023be01a9c16b7d49
+ 0x81c0…7d49
+
+
+
+ https://staging.giveth.io/user/0x3d4ed3163db57359acd1a3eca09d75ccd4d0981e
+ 0x3d4e…981e
+
+
+
+ https://staging.giveth.io/user/0x51a5d05a3b584270c658a446711dd81f8c104fcb
+ 0x51a5…4fcb
+
+
+
+ https://staging.giveth.io/user/0x5ba4f82d6a1cb6eab029194384baa0019914b381
+ Mobile Developer
+
+
+
+ https://staging.giveth.io/user/0x990df24ee8452e51636d4f1bab9067bea1d08bb1
+ andy liu
+
+
+
+ https://staging.giveth.io/user/0x9f5dfafe1f82146773a7e501d950ad82fdad296a
+ Yaman Testii
+
+
+
+ https://staging.giveth.io/user/0x9b07dc61df90d0a1e6a335ebcbd16d5b4ff2437f
+ 0x9b07…437f
+
+
+
+ https://staging.giveth.io/user/0x756a78077a06493b9ff0ed18b50df695dfa5e0d9
+ 0x756a…e0d9
+
+
+
+ https://staging.giveth.io/user/0x6b35dfced26650a950d17711beb21a35e2d70628
+ Keshav Gupta
+
+
+
+ https://staging.giveth.io/user/0xbf3e00a2d4705d653afaaa30ae68106aa22fdaa2
+ 0xbf3e…daa2
+
+
+
+ https://staging.giveth.io/user/0xfef5a1a2b3754a2f53161eaaacb3eb889f004d4a
+ Juan Giraldo
+
+
+
+ https://staging.giveth.io/user/0x7c996fc3a62b4b0fb1675e251c3d865f146f062e
+ 0x7c99…062e
+
+
+
+ https://staging.giveth.io/user/0x427a3e25b008a5ccfdd6a34bde60a84379cfc519
+ James Irving
+
+
+
+ https://staging.giveth.io/user/0xecce9a0bd601861bb81578a3538db3c35286e86f
+ yama testi
+
+
+
+ https://staging.giveth.io/user/0xd91b4ca4159cfdf90453b3fdb6405a9dfee4b88c
+ Andrea Lomelin
+
+
+
+ https://staging.giveth.io/user/0xc67d2a37c5da90e3004847c1f81d3d6356e0afdc
+ testpic testpic
+
+
+
+ https://staging.giveth.io/user/0x5723718ee5e1b981d9f8cb605fd9cef2e36e8e3a
+ 0x5723…8e3a
+
+
+
+ https://staging.giveth.io/user/0xfc5a8276a24e2cad9f85e5e2ddd5a8d5ab1c93a7
+ chair trees
+
+
+
+ https://staging.giveth.io/user/0x3b46f0a021b3055b61a67e255fe4fc54150a17e9
+ Ashley Ambassador
+
+
+
+ https://staging.giveth.io/user/0x6aa01a283d4ce5aed7619078796d76042be85471
+ Joseph Shegzy
+
+
+
+ https://staging.giveth.io/user/0x8c55acd4477e1ef76401e7ff5fd3eb37925d29c3
+ Micheal Makkiyzy
+
+
+
+ https://staging.giveth.io/user/0x816f1fff24e430e035e3c015ce29ada99bf0756d
+ 0x816f…756d
+
+
+
+ https://staging.giveth.io/user/0xfad16eecaf56f51e15571b1e1022889516c1edfd
+ Ricardo Fuentes
+
+
+
+ https://staging.giveth.io/user/0xf66eadb814941c4c82d6b9f5e305e44c5b9ef993
+ Felix Badore
+
+
+
+ https://staging.giveth.io/user/0x457ea659aaabd496550264c6d9d6351666f2fb4b
+ Mike Brunt
+
+
+
+ https://staging.giveth.io/user/0xd351e7184211116a9b756dcbc4979d82b6fe47ca
+ Adaeze Okafor
+
+
+
+ https://staging.giveth.io/user/0x1c4f4115b3234d6033da4b77a3d09f66b4f7b623
+ account 7 i
+
+
+
+ https://staging.giveth.io/user/0x6ecc523a496a8a846318edd26d101617a1c09e95
+ Vandah Real
+
+
+
+ https://staging.giveth.io/user/g7dmx8immuckyqnebl67wji2trrumxatepr3tuy52pjo
+ 2PJo phantom03
+
+
+
+ https://staging.giveth.io/user/dzsgk8vmcdve1fntjtadyuphjqduekwb32beqxcrxecn
+ 1 2
+
+
+
+ https://staging.giveth.io/user/0x4e7cead4d80228e5027105d5c850a4e25a708dd5
+ 0x4e7c…8dd5
+
+
+
+ https://staging.giveth.io/user/0x7b46860b60cb2e29226fdbb4bd05251ef24e3ff9
+ Motch Meetch
+
+
+
+ https://staging.giveth.io/user/0xf816b0390b912309d458d45b6c7dbe11e7bc9d0d
+ 0xf816…9d0d
+
+
+
+ https://staging.giveth.io/user/0x4a3755eb99ae8b22aafb8f16f0c51cf68eb60b85
+ 0x4a37…0b85
+
+
+
+ https://staging.giveth.io/user/0x4c00c1c4f3f2a7f8c2ae02fc02bae2a9ba00148f
+ 0x4c00…148f
+
+
+
+ https://staging.giveth.io/user/0x87207f7f30c3622e8cf15ced8e427e8e0cdba28e
+ 0x8720…a28e
+
+
+
+ https://staging.giveth.io/user/0xf60382ee734c8c82bfa8f5973cffd5fd808d9189
+ 0xf603…9189
+
+
+
+ https://staging.giveth.io/user/0xf7253a0e87e39d2cd6365919d4a3d56d431d0041
+ Zeugh Zeugh
+
+
+
+ https://staging.giveth.io/user/0x153fe4520fba95d9729c46f1acaa2270d5ec557f
+ 0x153f…557f
+
+
+
+ https://staging.giveth.io/user/0x130c91de6904529f34b15765533a589ff10a2dc9
+ 0x130c…2dc9
+
+
+
+ https://staging.giveth.io/user/0xa32aecda752cf4ef89956e83d60c04835d4fa867
+ 0xa32a…a867
+
+
+
+ https://staging.giveth.io/user/0xe6c64e15dcab21fcda187d780741a834096a0c06
+ 0xe6c6…0c06
+
+
+
+ https://staging.giveth.io/user/0xe8c6c82805f800fe2f72b2e6e1b9196830bb765c
+ I'm a Multisig
+
+
+
+ https://staging.giveth.io/user/0x110b8b6717c4da32d86a8d3ef78964d44f9d61f0
+ 0x110b…61f0
+
+
+
+ https://staging.giveth.io/user/0xe90836c432bfcdcea4a3858903ccdd41fbe66011
+ Testman Svensson
+
+
+
+ https://staging.giveth.io/user/0x4cd666c54fe007f9dd22f48022a46db423ab239f
+ 0x4cd6…239f
+
+
+
+ https://staging.giveth.io/user/0x4765f10bd3e22e0fe66dc6c585aed6eb2b28c0f7
+ 0x4765…c0f7
+
+
+
+ https://staging.giveth.io/user/0x76884f5147f7b6d1f3d15cd8224235ea84036f9e
+ Mulitisig Test
+
+
+
+ https://staging.giveth.io/user/0x398a5976652b29cf6e7a7e306998a9ce395bf4c0
+ my safe account4 test
+
+
+
+ https://staging.giveth.io/user/0x33325f249ecd298f17afdc6107c929a9be3938cf
+ 0x3332…38cf
+
+
+
+ https://staging.giveth.io/user/b5yumzny14ksjyjph7fdyffx3lnwkgxct3hhuxgoncft
+ ncFt solana
+
+
+
+ https://staging.giveth.io/user/0xad2386a6f21f028cc0d167411e59c5c3f9829b2c
+ Individual Safe
+
+
+
+ https://staging.giveth.io/user/0x11f3691d1abe2a404064aa86878198d65ba4dc20
+ Mattt Multisig
+
+
+
+ https://staging.giveth.io/user/ibdw1swwt9t9tcpirscpg9qt6jruet8jyndwqdkdodc
+ ibdw1s…dodc
+
+
+
+ https://staging.giveth.io/user/0x6e8873085530406995170da467010565968c7c62
+ Donation.eth
+
+
+
+ https://staging.giveth.io/user/htwxn1ude2jscjyqege9vhrenwrn4dydsvz4jce7pyc5
+ htwxn1…pyc5
+
+
+
+ https://staging.giveth.io/user/8ec3kabgrfpo1hqbb11kfxfsewoidyqf8rt2ktcmnwfr
+ nwfr solana
+
+
+
+ https://staging.giveth.io/user/eaesnkpbnujz4dxshky8rynu81jjpgfktzktq9iqe5yk
+ e5YK solana
+
+
+
+ https://staging.giveth.io/user/dc1tuxm4pcdn65ctd16sz5fjuh8tmexojy2mtxrbmgrl
+ rbmgrl solana
+
+
+
+ https://staging.giveth.io/user/7l9zrrzgxnhlrex6vtfxfzfsegaep7ihpbxtcvu8geen
+ 7l9zrr…geen
+
+
+
+ https://staging.giveth.io/user/cyxwdeemnnsjpjeqlwecxvpf3gakxh9kj3thiyzyjjq4
+ cyxwde…jjq4
+
+
+
+ https://staging.giveth.io/user/7nl1mzbwkeuxde7dy5smjkdfel6e2w9iaq7jch32x3hz
+ test test
+
+
+
+ https://staging.giveth.io/user/dkpkqqj4t74wzzgzj7yf4fwbcbhexg7cg8wxwfba7rfk
+ dkpkqq…7rfk
+
+
+
+ https://staging.giveth.io/user/gbwd4jud6r3tqjncutajehbwz38mpmex2ykq3uunsm3k
+ gbwd4j…sm3k
+
+
+
+ https://staging.giveth.io/user/9fbzctnomqzfryazkbsspqsfvnq72zk7sf4rgbswef5n
+ a a
+
+
+
+ https://staging.giveth.io/user/drejtuc6ywn9vcdcwcn9vgjyst2chktxzueabcguvf3x
+ drejtu…vf3x
+
+
+
+ https://staging.giveth.io/user/hh2bbp6ymgptw7hbjpts68y94tgg6jwckcvvts5y9cgh
+ 9cgh solana02
+
+
+
+ https://staging.giveth.io/user/3rbfltehm3mohmhtbghcevilkiv96ahwceqlrivcr1gy
+ Cr1GY burner
+
+
+
+ https://staging.giveth.io/user/8zjr8dirhji83xsjkqk6fawkab6ve9xbwsomdfwpzkjg
+ 8zjr8d…zkjg
+
+
+
+ https://staging.giveth.io/user/arbt6u6np1fpvdne4e7uo5mt6whkeuruhhuqvgstlm8l
+ Lm8L burnur
+
+
+
+ https://staging.giveth.io/user/0x866ae8e39b0ef339f7f6076296cb0f5b57b73ca8
+ Ramin
+
+
+
+ https://staging.giveth.io/user/0x2d491bff4edcd009c1909e638318912e9787d361
+ safe 17
+
+
+
+ https://staging.giveth.io/user/0xa91bd405f20955cd39460fe02eb3cf5638008fa7
+ safe 53
+
+
+
+ https://staging.giveth.io/user/0x6f57db6c3242b318a56c825dc155b1192b07d2ec
+ 0x6f57…d2ec
+
+
+
+ https://staging.giveth.io/user/0x3827173e8b56f1ea5d0b7d21976cc694ca2cadd8
+ a a
+
+
+
+ https://staging.giveth.io/user/gytkxrnxpvvok1nrqvva7yih3erh4scnvzvmvdmcxp71
+ q q
+
+
+
+ https://staging.giveth.io/user/0xe2cc658859a4a515334c812fa9b79d217cd67318
+ ram ramez
+
+
+
+ https://staging.giveth.io/user/5xfe8s28s8m7eewdzqjijesusceuj5cxitmsgswbtwqf
+ d d
+
+
+
+ https://staging.giveth.io/user/0x6f826f1a330151f02cfd6cbf9e5bbb2877eb7301
+ 0x6f82…7301
+
+
+
+ https://staging.giveth.io/user/behrcm8ejgt7e24jvs3vqd48uggsyfc2ttsc4yi2vm7n
+ f f
+
+
+
+ https://staging.giveth.io/user/0xe1ce7720f9b434ec98382f776e5c3a48c8ba6673
+ d d
+
+
+
+ https://staging.giveth.io/user/eotpzsy7wjvnpxwrvu1om5kuv9yfjsnzjjdhkqrbgeqw
+ a a
+
+
+
+ https://staging.giveth.io/user/g3wv86h5am4iwm1co1ryzmzaesv4ckgitkdynvfmoyzc
+ d d
+
+
+
+ https://staging.giveth.io/user/0x373ab5968a0abe5e2e32aac9e41aedd28d08000b
+ My Test In OP
+
+
+
+ https://staging.giveth.io/user/7dnbw42qkh36d2oetqi5u8kcy6rnvbsqwtzfdfmk8thn
+ a a
+
+
+
+ https://staging.giveth.io/user/4deasfji48sdrgq1geadw1ue3zcbl6m2tuemitwtj91l
+ a a
+
+
+
+ https://staging.giveth.io/user/0x0419a818ccd13cdf65a15acde03efc421f128785
+ 0x0419…8785
+
+
+
+ https://staging.giveth.io/user/0x3a61c50699c2aff827b54fda5f910aba0b23ed30
+ maryam jafarymehr
+
+
+
+ https://staging.giveth.io/user/yy5xguyygu9ke2vfrvafknyurdep65k79rqlyr8jwvj
+ yy5xgu…jwvj
+
+
+
+ https://staging.giveth.io/user/bxuk9tdlemt7aktr2jbtqqyuxggw6nuwbqqgtihhfftn
+ bxuk9t…fftn
+
+
+
+ https://staging.giveth.io/user/0x3beaa71a50c6f7bb0ef75c0131faf1e155222d6e
+ TWO BOISs MULTISIG
+
+
+
+ https://staging.giveth.io/user/0x00d18ca9782be1caef611017c2fbc1a39779a57c
+ Richard D. James
+
+
+
+ https://staging.giveth.io/user/0xb212b80950bb8b9ff5a359a7142528c45e5f7a88
+ safe 6polygon
+
+
+
+ https://staging.giveth.io/user/0xa047b554b435674eb28fd4553201cb1a800be53b
+ testaccoun2 mozila
+
+
+
+ https://staging.giveth.io/user/0xaff2aab46fb81dc606398cd3c693a924fb7678fe
+ 0xaff2…78fe
+
+
+
+ https://staging.giveth.io/user/fsvn8wbv7vpwaakdvs8oovmutclfnhokaalaxvmtlyof
+ Alireza Solana
+
+
+
+ https://staging.giveth.io/user/7vwyjnliu4mthqxdf19bhnqy7yg6pydxy4xkjs5vsxmk
+ solmeta 01
+
+
+
+ https://staging.giveth.io/user/0x99227bdc5483b7c8bb02613cfcf898df9539e9b8
+ Phantop ETH
+
+
+
+ https://staging.giveth.io/user/gehukkzeeny1tmaavqvlj5gbbqs9gkzecfse2bpjzz3k
+ gehukk…zz3k
+
+
+
+ https://staging.giveth.io/user/2qtmjneaursgn4pmtgtbgqdrlhydxzvfeudaktolzp2u
+ 2qtmjn…zp2u
+
+
+
+ https://staging.giveth.io/user/0xd5b47b3220c19da368daf8132184be0ca8c8a010
+ safe account6
+
+
+
+ https://staging.giveth.io/user/6tdfcxr42rmriibckahzrct42trfdfwsxngy1ofbaws4
+ Sol account5
+
+
+
+ https://staging.giveth.io/user/ft9atwzny1vbicg26b6nhstmi9bivybdbmx8lu7zqpoc
+ ram solana
+
+
+
+ https://staging.giveth.io/user/0xc1f9998241fef611efe079c8b218bdc6ab2f982f
+ 0xc1f9…982f
+
+
+
+ https://staging.giveth.io/user/0x6dbb15c333c6e602d5fbe63dbf601b556a56f9e6
+ maryam jafarymehr
+
+
+
+ https://staging.giveth.io/user/0x79cf9eb78df6e9b337c797cfee3e6962fa5a8bdd
+ ramin firefox
+
+
+
+ https://staging.giveth.io/user/0x635f579e00cf52dcb36167baa52e33b05d8a6d23
+ 0x635f…6d23
+
+
+
+ https://staging.giveth.io/user/0xb78da59dee3d59fc98e0046850069a12e33894fa
+ accoun1 mozila
+
+
+
+ https://staging.giveth.io/user/0x5bc64dba13a180e88ea5aa97bb9446181514c0a6
+ accoun3 mozila
+
+
+
+ https://staging.giveth.io/user/0xfef943435d468baf79cc9c9772afa094105fbe4d
+ accoun4 mozila
+
+
+
+ https://staging.giveth.io/user/0x100b5de53668d536f6aefb16208bc5ef6c31bd4a
+ Nela Ortto
+
+
+
+ https://staging.giveth.io/user/0x47e69aaba98d95c7c4a5cffed1902ed1e8eb74b1
+ TestName TestLastName
+
+
+
+ https://staging.giveth.io/user/0x5f908a4b10cd2b183bf8c60fb9d50efcf3a0599c
+ 0x5f90…599c
+
+
+
+ https://staging.giveth.io/user/0x68bfb71ee77c4e12783bd16f354605b32af03d09
+ 30 Rus
+
+
+
+ https://staging.giveth.io/user/0x3d3e9bbbe1c4dffab6468694620428c853c2c630
+ 0x3d3e…c630
+
+
+
+ https://staging.giveth.io/user/0xf12df5ba9eadb67dda0702aaa27e813b9ef76d03
+ ram test
+
+
+
+ https://staging.giveth.io/user/0x0a82ab8ecbcb390396ddae536f9f64371a6e5243
+ Test Profile
+
+
+
+ https://staging.giveth.io/user/0xac4cda272def2019e36cb227d506b5969aa3b248
+ tets account95
+
+
+
+ https://staging.giveth.io/user/0x7a44220fe81cf10529a7d22aa797337403b86a5c
+ test account96
+
+
+
+ https://staging.giveth.io/user/0x49271c90253f3ab1c60f95fbd8e029beb6f363ee
+ Alireza Test FF
+
+
+
+ https://staging.giveth.io/user/0xbc3df49c600fb1a1368ed807acbf4abf7b6d56de
+ 0xbc3d…56de
+
+
+
+ https://staging.giveth.io/user/0xa36421c1643c3d75a81ce41117888b23f047d36c
+ 0xa364…d36c
+
+
+
+ https://staging.giveth.io/user/0xd5db3f8b0a236176587460dc85f0fc5705d78477
+ mehri jaf
+
+
+
+ https://staging.giveth.io/user/0x5ac583feb2b1f288c0a51d6cdca2e8c814bfe93b
+ Mohammad Ranjbar Zaferanie
+
+
+
+ https://staging.giveth.io/user/0x9ae494fbac34682c122a1d4e3d6ae1eb5404a469
+ jose coronado
+
+
+
+ https://staging.giveth.io/user/famrey7d73n5jpdokowq4qfm6dkpwuyxzh6cwjnabpky
+ bpky Phantom
+
+
+
+ https://staging.giveth.io/user/0xf577ae8b97d839b9c0522a620299dc08792c738c
+ MAYA MAYA
+
+
+
+ https://staging.giveth.io/user/0x958e6aaacfdea802d70e86d820259f0a970ba6a8
+ account 17 test test
+
+
+
+ https://staging.giveth.io/user/0xf23ea0b5f14afcbe532a1df273f7b233ebe41c78
+ Amin Latifi
+
+
+
+ https://staging.giveth.io/user/0x9924285ff2207d6e36642b6832a515a6a3aedcab
+ Nikola Urbanova
+
+
+
+ https://staging.giveth.io/user/0xd268c1afc282bac47feabd6e3cc7cedff4a217fe
+ Meriem Barhoumi
+
+
+
+ https://staging.giveth.io/user/0x7f37e3008207c27360b20abcfb5fdcc8e37596b8
+ maryamaa mehr
+
+
+
+ https://staging.giveth.io/user/0x26135a4fc941828b063165c5c9311ef3bfeea4e5
+ 0x2613…a4e5
+
+
+
+ https://staging.giveth.io/user/0xf577ae8b97d839b9c0522a620299dc08792c738c
+ mary mehr
+
+
+
+ https://staging.giveth.io/user/0x81443887e6aef75de940b7244783f896b1c034ca
+ Horus Howareya
+
+
+
+ https://staging.giveth.io/user/0x91ebba819e4bba03065a106290afcb44deb1f9d6
+ ramin first edit
+
+
+
+ https://staging.giveth.io/user/0x523e41a134ab0999f2dc844ea02d9b53cc28fd1a
+ test account8
+
+
+
+ https://staging.giveth.io/user/0x8f48094a12c8f99d616ae8f3305d5ec73cbaa6b6
+ Nietzs Che
+
+
+
+ https://staging.giveth.io/user/0x871cd6353b803ceceb090bb827ecb2f361db81ab
+ Alireza Sharifpour
+
+
+
+ https://staging.giveth.io/user/0x839395e20bbb182fa440d08f850e6c7a8f6f0780
+ Test McTester
+
+
+
+ https://staging.giveth.io/user/0x826976d7c600d45fb8287ca1d7c76fc8eb732030
+ Johnny Bravo
+
+
+
+ https://staging.giveth.io/user/0xd5db3f8b0a236176587460dc85f0fc5705d78477
+ maryam account 3
+
+
+
+ https://staging.giveth.io/user/0x320c338bcf70baaae26e96201c33b48105bc62c2
+ MOTCH WHYNOT
+
+
+
+ https://staging.giveth.io/user/0x317bbc1927be411cd05615d2ffdf8d320c6c4052
+ Carlos Quintero
+
+
+
+ https://staging.giveth.io/user/0xb19a540d215aadad9236e438e1ca759f7ca8299f
+ Test Kareem
+
+
+
+ https://staging.giveth.io/user/jvgs2na1jwu7mhgoadh21rtka9lm2h4xgnyfbseh3yz
+ Rick Che
+
+
+
+ https://staging.giveth.io/user/0x10a84b835c5df26f2a380b3e00bcc84a66cd2d34
+ Ramin stag
+
+
+
+ https://staging.giveth.io/user/0xa1179f64638adb613ddaac32d918eb6beb824104
+ mana mana
+
+
+
+ https://staging.giveth.io/user/0xcd192b61a8dd586a97592555c1f5709e032f2505
+ maryam jafarymehr
+
+
+
+ https://staging.giveth.io/user/0x87ddedd5643f27ad1f7b21f6df80304eb7b5675f
+ elton pansy
+
+
+
+ https://staging.giveth.io/user/0x7b7f356bc4024353815749134ae989a4831ce6ed
+ mehrana mehri09
+
+
+
+ https://staging.giveth.io/user/0xc5b1b419e45759db1d45b32fbad1a15acceecd1d
+ Meriem Barhoumi
+
+
+
+ https://staging.giveth.io/user/0xc46c67bb7e84490d7ebdd0b8ecdaca68cf3823f4
+ Lauren Luz
+
+
+
+ https://staging.giveth.io/user/0xddeb215573fba90bfffdedd271621f5aa02a5ddf
+ 0xddeb…5ddf
+
+
+
+ https://staging.giveth.io/user/0x0c1832b2d5ec3662172fc23001686a9bd1d647ef
+ 0x0c18…47ef
+
+
+
+ https://staging.giveth.io/user/bchxsd5pkvo7lreqy1yztbodbf1pqugverutvqwvzhfi
+ bchxsd…zhfi
+
+
+
+ https://staging.giveth.io/user/casbxtuvk8wdnbyavadfb1pgptmm7bjovajaur2nwlnl
+ casbxt…wlnl
+
+
+
+ https://staging.giveth.io/user/0x29ee09bd0f7f41ecd083ad2708df17691065790b
+ Kresimir Katusic
+
+
+
\ No newline at end of file
diff --git a/src/apollo/gql/gqlUser.ts b/src/apollo/gql/gqlUser.ts
index 975eb9da1b..c8da8031a6 100644
--- a/src/apollo/gql/gqlUser.ts
+++ b/src/apollo/gql/gqlUser.ts
@@ -271,3 +271,17 @@ export const SEND_USER_CONFIRMATION_CODE_FLOW = gql`
sendUserConfirmationCodeFlow(verifyCode: $verifyCode, email: $email)
}
`;
+
+export const FETCH_ALL_USERS_BASIC_DATA = gql`
+ query FetchAllUsersBasicData($limit: Int, $skip: Int) {
+ allUsersBasicData(limit: $limit, skip: $skip) {
+ users {
+ firstName
+ lastName
+ name
+ walletAddress
+ }
+ totalCount
+ }
+ }
+`;
diff --git a/src/content/metatags.ts b/src/content/metatags.ts
index 455755db7d..a675c54f41 100644
--- a/src/content/metatags.ts
+++ b/src/content/metatags.ts
@@ -130,3 +130,10 @@ export const giveconomyOnboardingMetaTags = {
image: 'https://giveth.mypinata.cloud/ipfs/QmX2242gXzRp5tHWGkJu5L5VbgWD6Fu4NDbLunBhCKBEtY/GIVecon%20banner.svg',
url: 'https://giveth.io/onboarding/giveconomy',
};
+
+export const archivedQFRoundsMetaTags = {
+ title: 'Giveth | Archived QF Rounds',
+ desc: 'Explore past quadratic funding rounds on Giveth! Check out the projects who participated, matching funds, donations and more info on this page.',
+ image: 'https://giveth.io/images/banners/qf-banner.svg',
+ url: `https://giveth.io/qf-archive`,
+};
diff --git a/src/helpers/xml.ts b/src/helpers/xml.ts
new file mode 100644
index 0000000000..cdf3b0efd4
--- /dev/null
+++ b/src/helpers/xml.ts
@@ -0,0 +1,24 @@
+/**
+ * Escapes special characters in a string to make it safe for use in XML.
+ *
+ * This function replaces the following characters with their corresponding XML escape codes:
+ * - `&` becomes `&`
+ * - `<` becomes `<`
+ * - `>` becomes `>`
+ * - `"` becomes `"`
+ * - `'` becomes `'`
+ *
+ * This ensures that the string can be safely included in an XML document as content or attribute values,
+ * preventing issues where these characters could interfere with the XML structure.
+ *
+ * @param {string} unsafe - The input string that may contain unsafe XML characters.
+ * @returns {string} - The escaped string, safe for inclusion in XML.
+ */
+export function escapeXml(unsafe: string): string {
+ return unsafe
+ .replace(/&/g, '&') // Escape ampersand
+ .replace(//g, '>') // Escape greater-than
+ .replace(/"/g, '"') // Escape double quote
+ .replace(/'/g, '''); // Escape single quote
+}