Database of Social Entrepreneurship


This entry is part 1 of 10 in the series Database of Social Enterprises

I propose that we need a comprehensive database, or hub of organizations that are social entrepreneurship companies (and others), broken down by what they do and where they do it. We may also have other basic metrics such as years in business, number of employees and so on. What they do could be categorized. For example, one category might be climate action and another might be gender equality.

It would be a directory. It would be like the Better Business Bureau but for Social Entrepreneurship and like-minded organizations. These organizations would have social good as one of their top priorities, not just making money. It would be a knowledge platform designed to share ideas on social innovation.

Why do we need this? It’s purpose is idea generation and collaboration. Each social entrepreneurship organization can better work together with other social entrepreneurship organizations to more effectively and efficiently accomplish their missions. We need new ways of doing things. As a small example, we’ve managed to move away from plastic straws to paper straws. Change is possible. This would help individuals seeking to become a changemaker themselves. They could find organizations in their field and outside of their filed to make connections and generate new ideas for new products and services and new ways of doing things.

Perhaps Mapping Our Region of Changemakers by The Institute of Southern Georgian Bay is of a similar mindset. This project may be about identifying and connecting individuals and organizations driving positive change in the Southern Georgian Bay region. Such projects often aim to foster collaboration, share resources, and amplify the impact of changemakers in the community.

Perhaps a good example of this is Generate Canada.

Using ChatGPT to build an App

So just to get started, I asked ChatGPT “what is systems thinking?” Next, I asked ChatGPT the following question: “Each time I think of a specific challenge, like poverty, we come up against affordable housing, healthy food, employment, water (reliable hot and cold) and housing that is reasonably clean to prevent disease, a sustainable environment and so on. How can we ensure that these connections and collaborations are known and available to social entrepreneurs? ”

ChatGPT said: “That’s a great systems-thinking challenge—ensuring social entrepreneurs can see and access the interconnected resources, collaborations, and knowledge needed to address complex social issues holistically. Here are some potential strategies to make these connections more visible and actionable:”

  1. Create a Knowledge & Collaboration Hub
  2. Build a Systems-Thinking Toolkit for Social Entrepreneurs
  3. Foster Cross-Sector Partnerships
  4. Leverage AI & Data for Smart Decision-Making

Create a Knowledge & Collaboration Hub

  • Develop an AI-powered platform that maps connections between different social issues, organizations, funding sources, and solutions.
  • Use data visualization to show how issues like housing, food security, and employment intersect.
  • Offer collaborative spaces for social entrepreneurs to connect with policymakers, businesses, and researchers.

Build a Systems-Thinking Toolkit for Social Entrepreneurs

  • Curate case studies and best practices of successful cross-sector initiatives.
  • Develop training programs on systems thinking, impact measurement, and multi-sector collaboration.
  • Provide templates and frameworks to help entrepreneurs design holistic solutions.

Foster Cross-Sector Partnerships

  • Establish networking events and incubators where entrepreneurs, nonprofits, governments, and businesses co-develop solutions.
  • Encourage public-private partnerships that integrate resources from different sectors.
  • Support funding mechanisms that prioritize systemic solutions over isolated interventions.

Leverage AI & Data for Smart Decision-Making

  • Use AI to map community needs and predict how interventions in one area (e.g., housing) impact others (e.g., health, employment).
  • Create an open-data initiative where entrepreneurs can access real-time insights on social and environmental conditions.
  • Develop AI-powered matchmakers that connect social entrepreneurs with aligned funders, partners, and policymakers.

The next thing I asked ChatGPT is this: “I’m particularly interested in your first two points, starting with AI-powered platform that maps connections and data visualizations. I don’t have any real significant resources except passion and some time and this idea you are helping me with. I also know what relational databases are and I’ve done some programming. How do we flesh out this very first suggestion of yours?”

  1. Step 1: Define the Core Features
    • Map connections between systemic challenges (e.g., how housing impacts employment and health).
    • Visualize data through interactive graphs, charts, and network diagrams.
    • Enable collaboration by connecting social entrepreneurs with resources, partners, and funding.
    • Aggregate and analyze data from public sources, reports, and user input.
  2. Step 2: Choose a Tech Stack
    • Since our resources are limited, we’ll choose low-cost open-source tools.

    • Database: PostgreSQL (great for relational and graph data) or Neo4j (for relationship-heavy data).
    • Backend: Python (Django or Flask) with AI/ML tools like TensorFlow or Scikit-learn.
    • Frontend: React.js or Vue.js for an interactive UI.
    • Visualization: D3.js, Plotly, or Cytoscape.js (for network mapping).
    • AI/Automation: OpenAI APIs for recommendations, NLP, or data extraction.
  3. Step 3: Define the Data Model
    • We need a relational schema (e.g., tables for social issues, organizations, initiatives, resources) and graph-like relationships to connect them. Example:

    • Entities: Social Issue, Organization, Initiative, Resource
    • Relationships: (Housing → Employment), (Organization → Initiative), etc.
  4. Step 4: Data Sourcing & Entry
    • Where do we get the data? Possible sources:

    • Open datasets (e.g., UN, World Bank, local government data).
    • User-generated data (entrepreneurs adding their projects).
    • Web scraping or APIs from research reports.
  5. Step 5: Build a Prototype
    1. Start with a simple web app where users can search for connections between social issues.
    2. Add basic data visualization with network graphs.
    3. Allow users to contribute and refine data.

Database Schema

What would the database schema look like? Here is the schema overview:

  • Social_Issues – Stores different systemic challenges (poverty, housing, food security, employment, etc.).
  • Organizations – Entities working on these issues (NGOs, businesses, social entrepreneurs, government agencies).
  • Initiatives – Specific projects addressing issues (affordable housing projects, food banks, etc.). Tracks projects related to each organization. Each organization can have may initiatives.
  • Resources – Funding, data, tools, or expertise available to social entrepreneurs.
  • Connections – Relationship table linking social issues to other social issues, initiatives, or organizations. Example: “Affordable Housing affects Employment.”

The code below is for SQLite.

CREATE TABLE Social_Issues (
    id INTEGER PRIMARY KEY,
    name TEXT UNIQUE NOT NULL,
    description TEXT
);

CREATE TABLE Organizations (
    id INTEGER PRIMARY KEY,
    name TEXT UNIQUE NOT NULL,
    description TEXT,
    website TEXT,
    country TEXT,
    province TEXT,
    city TEXT,
    contact_email VARCHAR(255)
);

CREATE TABLE Initiatives (
    id INTEGER PRIMARY KEY,
    name TEXT UNIQUE NOT NULL,
    description TEXT,
    organization_id INT,
    FOREIGN KEY (organization_id) REFERENCES Organizations(id) ON DELETE SET NULL
);

CREATE TABLE Resources (
    id INTEGER PRIMARY KEY,
    name TEXT UNIQUE NOT NULL,
    description TEXT,
    type VARCHAR(100) CHECK (type IN ('Funding', 'Data', 'Expertise', 'Tool', 'Policy')),
    provider_id INT,  -- Can be linked to an Organization
    FOREIGN KEY (provider_id) REFERENCES Organizations(id) ON DELETE SET NULL
);

-- Connecting Issues to Organizations, Initiatives, and Other Issues
CREATE TABLE Connections (
    id INTEGER PRIMARY KEY,
    issue_id INT,
    related_issue_id INT,  -- Self-referencing for issue-issue relationships
    initiative_id INT,
    organization_id INT,
    connection_type VARCHAR(100) CHECK (connection_type IN ('Causes', 'Affects', 'Supports', 'Depends On')),
    FOREIGN KEY (issue_id) REFERENCES Social_Issues(id) ON DELETE CASCADE,
    FOREIGN KEY (related_issue_id) REFERENCES Social_Issues(id) ON DELETE CASCADE,
    FOREIGN KEY (initiative_id) REFERENCES Initiatives(id) ON DELETE CASCADE,
    FOREIGN KEY (organization_id) REFERENCES Organizations(id) ON DELETE CASCADE
);

ChatGPT Recommends PostgreSQL

For development it recommends PostgreSQL, but for simple testing we can use SQLite. It suggests the following database name: social_impact.db.

We will use SQLite

The code for SQLite is below.

-- Insert Social Issues
INSERT INTO Social_Issues (name, description) VALUES 
    ('Affordable Housing', 'Ensuring people have access to safe, affordable living spaces.'),
    ('Employment', 'Providing job opportunities and workforce development.'),
    ('Food Security', 'Ensuring access to nutritious food for all.'),
    ('Water Access', 'Providing reliable clean water supply.');

-- Insert Organizations
INSERT INTO Organizations (name, description, website, contact_email) VALUES 
    ('Green Housing Initiative', 'Building sustainable, low-cost housing.', 'https://greenhousing.org', 'contact@greenhousing.org'),
    ('JobPath Network', 'Connecting unemployed individuals with job opportunities.', 'https://jobpath.net', 'info@jobpath.net');

-- Insert Initiatives
INSERT INTO Initiatives (name, description, organization_id) VALUES 
    ('Low-Cost Housing Project', 'Developing 1,000 affordable homes in urban areas.', 1),
    ('Youth Employment Drive', 'Providing job training for young adults.', 2);

-- Insert Resources
INSERT INTO Resources (name, description, type, provider_id) VALUES 
    ('Housing Development Grant', 'Funding available for low-income housing projects.', 'Funding', 1),
    ('Job Training Toolkit', 'A set of resources to improve employability skills.', 'Tool', 2);

-- Insert Connections
INSERT INTO Connections (issue_id, related_issue_id, initiative_id, organization_id, connection_type) VALUES 
    (1, 2, NULL, NULL, 'Affects'), -- Affordable Housing affects Employment
    (2, 3, NULL, NULL, 'Depends On'), -- Employment depends on Food Security
    (3, 4, NULL, NULL, 'Depends On'), -- Food Security depends on Water Access
    (1, NULL, 1, NULL, 'Supports'), -- Low-Cost Housing Project supports Affordable Housing
    (2, NULL, 2, NULL, 'Supports'); -- Youth Employment Drive supports Employment

Query

We can query the database.

SELECT s1.name AS issue, s2.name AS related_issue, c.connection_type
FROM Connections c
JOIN Social_Issues s1 ON c.issue_id = s1.id
JOIN Social_Issues s2 ON c.related_issue_id = s2.id;

ChatGPT generated this database for us. Pretty amazing. I need to better understand it. The DB Browser for SQLite does not have an facility for displaying entity relationship diagrams (ERD), but DBeaver does. DBeaver is a program that I’ve downloaded and used to open the file (social_impact.db). Here below is what DBeaver gave me after I rearranged the tables a bit.

Stepping Back

In the book Social Entrepreneurship: What Everyone Needs to Know, they say on page 89 under the heading of “What’s being done at the university level” the following: “The problem-solving patterns and insights emerging from the field of social entrepreneurship can be grasped only by stepping back. Universities need to take the lead in assembling this knowledge, classifying and analyzing it, and disseminating it so people can make use of the lessons.”

That same book says on page 71, in part: “separate fields, industries and sectors make it difficult to construct whole solutions”. On page 72 they say: “It makes no sense to attack many problems in piecemeal fashion.”

More Social Issues from ChatGPT

Here are the INSERT statements from another ChatGPT session

-- Insert more Social Issues
INSERT INTO Social_Issues (name, description) VALUES 
    ('Sanitation', 'Improving hygiene and waste management to prevent disease.'),
    ('Environmental Sustainability', 'Promoting eco-friendly practices and conservation efforts.'),
    ('Healthcare Access', 'Ensuring people have access to essential medical services.'),
    ('Education Equity', 'Providing equal learning opportunities for all individuals.'),
    ('Mental Health Support', 'Addressing psychological well-being and access to mental health services.'),
    ('Financial Inclusion', 'Ensuring access to financial services for underserved populations.'),
    ('Digital Divide', 'Bridging gaps in technology access and digital literacy.'),
    ('Gender Equality', 'Promoting equal rights and opportunities regardless of gender.'),
    ('Indigenous Rights', 'Advancing the rights and well-being of Indigenous communities.'),
    ('Climate Change Adaptation', 'Helping communities adjust to environmental changes.'),
    ('Youth Empowerment', 'Supporting young people with education, training, and leadership opportunities.'),
    ('Disability Inclusion', 'Ensuring accessibility and equal opportunities for people with disabilities.'),
    ('Refugee Support', 'Providing assistance and resources for displaced populations.'),
    ('Civic Engagement', 'Encouraging participation in social and political processes.');
-- more...
    ('Affordable Housing', 'Ensuring access to safe, stable, and affordable housing options.'),
    ('Food Security', 'Providing reliable access to sufficient, nutritious food for all.'),
    ('Water Access', 'Ensuring availability of clean and safe drinking water.'),
    ('Employment Equity', 'Promoting fair and inclusive work opportunities.'),
    ('Senior Support', 'Addressing the needs and well-being of elderly populations.'),
    ('Prisoner Reintegration', 'Helping formerly incarcerated individuals transition back into society.'),
    ('Human Trafficking Prevention', 'Combating forced labor and exploitation.'),
    ('LGBTQ+ Rights', 'Advocating for equal rights and protections for LGBTQ+ individuals.'),
    ('Addiction Recovery', 'Providing support for individuals struggling with substance abuse.'),
    ('Disaster Relief', 'Providing emergency aid and long-term recovery support for affected communities.'),
    ('Rural Development', 'Improving infrastructure and opportunities in rural areas.'),
    ('Urban Poverty', 'Addressing social and economic challenges in low-income urban areas.'),
    ('Fair Trade & Ethical Sourcing', 'Promoting fair wages and responsible supply chains.'),
    ('Child Protection', 'Preventing abuse, exploitation, and neglect of children.'),
    ('Access to Justice', 'Ensuring legal representation and rights protection for marginalized groups.');

Here are insert statements for Organizations. I have modified the above CREATE TABLE statement to include the country, province, and city. They are all TEXT.

-- Insert Ontario-based Organizations
INSERT INTO Organizations (id, name, description, website, country, province, city, contact_email) VALUES
    (1, 'Daily Bread Food Bank', 'A Toronto-based food bank dedicated to eliminating food insecurity and advocating for solutions to end poverty.', 'https://www.dailybread.ca/', 'Canada', 'Ontario', 'Toronto', 'info@dailybread.ca'),
    (2, 'Second Harvest', 'Canada\'s largest food rescue charity, operating nationwide to reduce food waste and feed communities.', 'https://www.secondharvest.ca/', 'Canada', 'Ontario', 'Toronto', 'info@secondharvest.ca'),
    (3, 'Centre for Addiction and Mental Health (CAMH)', 'Canada\'s largest mental health teaching hospital and one of the world\'s leading research centers in its field.', 'https://www.camh.ca/', 'Canada', 'Ontario', 'Toronto', 'info@camh.ca'),
    (4, 'Water First', 'An organization dedicated to addressing water challenges in Indigenous communities through education, training, and meaningful collaboration.', 'https://waterfirst.ngo/', 'Canada', 'Ontario', 'Creemore', 'info@waterfirst.ngo'),
    (5, 'Habitat for Humanity GTA', 'A nonprofit organization helping families in the Greater Toronto Area build and improve places to call home.', 'https://habitatgta.ca/', 'Canada', 'Ontario', 'Toronto', 'info@habitatgta.ca'),
    (6, 'Environmental Defence Canada', 'A leading Canadian environmental advocacy organization working to defend clean water, a safe climate, and healthy communities.', 'https://environmentaldefence.ca/', 'Canada', 'Ontario', 'Toronto', 'info@environmentaldefence.ca'),
    (7, 'The 519', 'A Toronto-based organization dedicated to the health, happiness, and full participation of the LGBTQ2S communities.', 'https://www.the519.org/', 'Canada', 'Ontario', 'Toronto', 'info@the519.org'),
    (8, 'Community Living Ontario', 'A non-profit provincial association advocating for people with intellectual disabilities and their families for over 70 years.', 'https://communitylivingontario.ca/', 'Canada', 'Ontario', 'Toronto', 'info@communitylivingontario.ca'),
    (9, 'United Way Greater Toronto', 'A charity dedicated to fighting local poverty and building strong communities across the Greater Toronto Area.', 'https://www.unitedwaygt.org/', 'Canada', 'Ontario', 'Toronto', 'info@unitedwaygt.org'),
    (10, 'WoodGreen Community Services', 'One of Toronto\'s largest social service agencies, offering a wide range of programs to build sustainable communities.', 'https://www.woodgreen.org/', 'Canada', 'Ontario', 'Toronto', 'info@woodgreen.org'),
-- Insert Ontario-based Organizations (IDs 11 to 20)
    (11, 'ACCES Employment', 'A leader in connecting employers with qualified employees from diverse backgrounds, serving over 32,000 job seekers annually across the Greater Toronto Area.', 'http://accesemployment.ca/', 'Canada', 'Ontario', 'Toronto', 'info@accesemployment.ca'),
    (12, 'Access Community Capital Fund', 'A Canadian Registered Charity formed in 1999 to help individuals facing barriers to traditional financing obtain microloans to improve their income through sustainable self-employment and employment.', 'http://accessccf.com/', 'Canada', 'Ontario', 'Toronto', 'info@accessccf.com'),
    (13, 'Afghan Women\'s Organization', 'Provides settlement services to all newcomers, with a special focus on women, their families, refugees, and people who have experienced war and persecution.', 'http://afghanwomen.org/', 'Canada', 'Ontario', 'Toronto', 'info@afghanwomen.org'),
    (14, 'Ontario Nonprofit Network', 'The independent network for Ontario\'s 58,000 nonprofit organizations, engaging with members to address issues and ensure community voices reach stakeholders.', 'https://theonn.ca/', 'Canada', 'Ontario', 'Toronto', 'info@theonn.ca'),
    (15, 'Social Planning Toronto', 'A nonprofit community organization that challenges inequity in Toronto through knowledge generation, debate, civic engagement, and advocacy for social change.', 'https://www.socialplanningtoronto.org/', 'Canada', 'Ontario', 'Toronto', 'info@socialplanningtoronto.org'),
    (16, 'Community Development Halton', 'A nonprofit organization dedicated to enhancing the quality of life in Halton Region through community education, social planning, and advocacy.', 'https://cdhalton.ca/', 'Canada', 'Ontario', 'Burlington', 'info@cdhalton.ca'),
    (17, 'Kin Canada', 'A national non-profit service organization promoting service, fellowship, positive values, and national pride, with clubs located throughout Canada.', 'http://www.kincanada.ca/', 'Canada', 'Ontario', 'Cambridge', 'info@kincanada.ca'),
    (18, 'Goodwill, The Amity Group', 'A nonprofit social enterprise providing work opportunities and skills development for people facing barriers to employment in the Hamilton and Halton regions.', 'https://www.goodwillonline.ca/', 'Canada', 'Ontario', 'Hamilton', 'info@goodwillonline.ca'),
    (19, 'Anishnawbe Health Toronto', 'A fully accredited community health center providing traditional healing within a multi-disciplinary health care model to Toronto’s Indigenous community.', 'https://aht.ca/', 'Canada', 'Ontario', 'Toronto', 'info@aht.ca'),
    (20, 'Applegrove Community Complex', 'A multi-service community organization in Toronto offering programs and services to promote the well-being of individuals and families.', 'https://www.applegrovecc.ca/', 'Canada', 'Ontario', 'Toronto', 'info@applegrovecc.ca'),
    (21, 'Learning Enrichment Foundation', 'Provides services including child care, employment training, and settlement assistance to newcomers in Toronto.', 'https://lefca.org/', 'Canada', 'Ontario', 'Toronto', 'info@lefca.org'),
    (22, 'Family Service Ontario', 'Supports member agencies in providing mental health, wellness, and social services to individuals and families across Ontario.', 'https://familyserviceontario.org/', 'Canada', 'Ontario', 'Toronto', 'info@familyserviceontario.org'),
    (23, 'Ontario Association of Social Workers', 'Advocates for social workers and promotes the profession’s contributions to social justice and well-being in Ontario.', 'https://www.oasw.org/', 'Canada', 'Ontario', 'Toronto', 'info@oasw.org'),
    (24, 'Ontario Municipal Social Services Association', 'Supports municipal service managers and district social services boards in Ontario through policy work, advocacy, and professional development.', 'https://www.omssa.com/', 'Canada', 'Ontario', 'Toronto', 'info@omssa.com'),
    (25, 'The Table Soup Kitchen Foundation', 'Provides food, clothing, and support services to individuals and families in need in the Muskoka region.', 'https://thetablefoundation.ca/', 'Canada', 'Ontario', 'Huntsville', 'info@thetablefoundation.ca'),
    (26, 'SHORE Centre', 'Offers sexual health resources, education, and medical services to individuals in the Waterloo Region.', 'https://shorecentre.ca/', 'Canada', 'Ontario', 'Kitchener', 'info@shorecentre.ca'),
    (27, 'Mission Services of Hamilton', 'Provides emergency shelter, food, clothing, and rehabilitation programs to those in need in the Hamilton area.', 'https://mission-services.com/', 'Canada', 'Ontario', 'Hamilton', 'info@mission-services.com'),
    (28, 'Camp Kirk', 'Offers recreational programs for children with learning disabilities and attention deficit disorders in Ontario.', 'https://www.campkirk.com/', 'Canada', 'Ontario', 'Kirkfield', 'info@campkirk.com'),
    (29, 'Knights Table', 'Provides food bank services, meals, and support programs to individuals and families in need in the Peel Region.', 'https://knightstable.org/', 'Canada', 'Ontario', 'Brampton', 'info@knightstable.org'),
    (30, 'Eva’s Initiatives for Homeless Youth', 'Provides shelter, transitional housing, and support services to help homeless youth build brighter futures.', 'https://www.evas.ca/', 'Canada', 'Ontario', 'Toronto', 'info@evas.ca');
    (31, 'Oasis By The Bay Vacation Suites', 'An accessible, apartment-style motel in Wasaga Beach providing inclusive accommodations and promoting tourism in the Georgian Triangle area.', 'https://oasisbythebay.ca/', 'Canada', 'Ontario', 'Wasaga Beach', 'inquiries@oasisbythebay.ca'),
    (32, 'ReUse Centre', 'A Collingwood-based retail outlet accepting donations of quality, pre-owned items, promoting waste diversion and supporting community initiatives.', 'https://reusecollingwood.com/', 'Canada', 'Ontario', 'Collingwood', 'reuse@e3.ca'),
    (33, 'Blue Mountain Village Foundation', 'An organization supporting local charitable initiatives in South Georgian Bay, focusing on closing social gaps within the community.', 'https://bluemountainvillage.ca/foundation', 'Canada', 'Ontario', 'Blue Mountains', 'foundation@bluemountainvillage.ca'),
    (34, '100 Women Who Care South Georgian Triangle', 'A group of women from Collingwood, Creemore, Meaford, Stayner, Thornbury, and Wasaga Beach, collectively supporting local charities through coordinated donations.', NULL, 'Canada', 'Ontario', 'Collingwood', NULL);
    (35, 'Elephant Thoughts', 'A registered educational charity dedicated to supporting positive change through education and opportunity both in Canada and abroad.', 'https://www.elephantthoughts.com/', 'Canada', 'Ontario', 'Collingwood', 'inquiries@elephantthoughts.com'),
    (36, 'E3 Community Services', 'A multi-service organization providing support services to individuals with developmental and intellectual disabilities, focusing on individual strengths, needs, and choices.', 'https://e3.ca/', 'Canada', 'Ontario', 'Collingwood', 'e3@e3.ca');
    (37, 'Community Builders', 'A non-profit construction-based social enterprise in Simcoe County and Greater Sudbury, offering training and employment opportunities.', 'https://www.communitybuilders.co/', 'Canada', 'Ontario', 'Minesing', 'info@communitybuilders.co'),
    (38, 'Fleurish - Botanical Goodness', 'A Barrie-based social enterprise providing floral arrangements and offering paid transitional employment opportunities.', 'https://www.fleurishbarrie.com/', 'Canada', 'Ontario', 'Barrie', 'info@fleurishbarrie.com'),
    (39, 'The Common Roof', 'A collaborative space in Barrie and Orillia that houses multiple human-service non-profit agencies, fostering community support and shared resources.', 'https://www.thecommonroof.ca/', 'Canada', 'Ontario', 'Barrie', 'info@thecommonroof.ca'),
    (40, 'Camphill Communities Ontario', 'An organization offering residential and day support services for individuals with developmental disabilities, operating social enterprises like market gardens and maple syrup production.', 'https://www.camphill.on.ca/', 'Canada', 'Ontario', 'Angus', 'info@camphill.on.ca'),
    (41, 'Habitat for Humanity Huronia ReStore', 'A Barrie-based retail outlet selling donated new and gently used building materials and home furnishings, supporting Habitat for Humanity’s mission.', 'https://habitatgatewaynorth.com/restore/', 'Canada', 'Ontario', 'Barrie', 'restore@habitatgatewaynorth.com'),
    (42, 'Rise Asset Development', 'Provides microfinancing and mentorship to entrepreneurs living with mental health and addiction challenges across Ontario.', 'https://www.riseassetdevelopment.com/', 'Canada', 'Ontario', 'Toronto', 'info@riseassetdevelopment.com');
Series NavigationDatabase Schema Modification >>

Leave a Reply