diff --git a/data/fakedata.ts b/data/fakedata.ts new file mode 100644 index 0000000..6dd6b07 --- /dev/null +++ b/data/fakedata.ts @@ -0,0 +1,103 @@ +// TODO: this needs a serious refactor. It's a mess. Use the shared library. This is gross. + +// import fetch from "node-fetch"; +import { JSDOM } from "jsdom"; +import * as fs from "fs"; + +const schoolListFileName = "./schoolList.json"; + +type SchoolRecord = { + schoolStub: string; + schoolName: string; + gradesLabel: string; + gradeCodes: string[]; + address: string; +}; + +function schoolURLFromStub(stub: string): string { + return `https://www.sfusd.edu${stub}`; +} + +// fetch and parse data from the HTML table: https://www.sfusd.edu/schools/directory/table +async function fetchAndParseSFUSD() { + const response = await fetch("https://www.sfusd.edu/schools/directory/table"); + const html = await response.text(); + + const dom = new JSDOM(html); + const document = dom.window.document; + + const tableRows = document.querySelectorAll("tr"); + + const schoolData = Array.from(tableRows) + .map((row) => { + const schoolName = + row.querySelector("td.views-field-title a")?.textContent?.trim() || ""; + + const schoolStub = + ( + row.querySelector("td.views-field-title a") as HTMLAnchorElement + )?.href?.trim() || ""; + + const [gradesLabel, gradesCodeString] = ( + row.querySelector("td.views-field-nothing-1")?.textContent?.trim() || "" + ).split(/[\(\)]/, 2); + + const address = + row.querySelector("td.views-field-nothing")?.textContent?.trim() || ""; + + return { + schoolStub, + schoolName, + gradesLabel: gradesLabel.trim(), + gradeCodes: gradesCodeString?.split(",").map((code) => code.trim()), + address: address.replace(/\s+/g, " ").trim(), + }; + }) + .filter((school) => school.schoolName !== ""); + + return schoolData as SchoolRecord[]; +} + +async function readSchoolListFromFile(): Promise { + const buffer = fs.readFileSync(schoolListFileName, { encoding: "utf-8" }); + try { + const schoolRecords: SchoolRecord[] = JSON.parse(buffer); + return schoolRecords; + } catch (parseError) { + console.error("error parsing file", parseError); + return undefined; + } +} + +async function fetchSchoolDetails() { + const schoolList = await readSchoolListFromFile(); + console.log(`${schoolList?.length} schools read from ${schoolListFileName}`); + + schoolList?.forEach((school, index, schoolList) => { + console.log( + `fetching school details ${index + 1} of ${schoolList.length}: ${school.schoolName} (${school.schoolStub})`, + ); + + const schoolURL = schoolURLFromStub(school.schoolStub); + console.log(`fetching ${schoolURL}`); + }); +} + +// create schoolList.json +// fetchAndParseSFUSD() +// .catch((err) => console.error("Error fetching and parsing data:", err)) +// .then((data) => { +// if (data) +// fs.writeFileSync(schoolListFileName, JSON.stringify(data), { +// encoding: "utf-8", +// }); +// console.log("done."); +// }); + +fetchSchoolDetails() + .then(() => { + console.log("done."); + }) + .catch((err) => { + console.error("something went wrong!", err); + }); diff --git a/data/fetchFullImages.ts b/data/fetchFullImages.ts new file mode 100644 index 0000000..c53fe04 --- /dev/null +++ b/data/fetchFullImages.ts @@ -0,0 +1,52 @@ +// fetchFullImages.ts +// Purpose: fetch full-size images for each school in the school list + +import { + readSchoolList, + schoolListFilePath, + sleep, + extractExtensionFromUrl, + downloadImage, + writeSchoolList, +} from "./shared"; + +const dosDelay = 3000; // mercy mode - 3 second delay between fetches (avoid DOS) + +async function downloadFullImages() { + if (dosDelay > 100) + console.warn( + `mercy mode enabled - expect roughly ${dosDelay}ms delay between fetches ...`, + ); + + const schoolList = readSchoolList(); + + for (const school of schoolList) { + const src = school.image?.src || ""; + const ext = extractExtensionFromUrl(src); + const filePath = + ext && ext.length > 1 ? `school_img/${school.schoolStub}.${ext}` : ""; + + // update the schoolList with the new image path + if (school.image) school.image.filePath = filePath; + + if (src.length > 1 && filePath.length > 1) { + await sleep(dosDelay, true); + console.log(`storing ${src} as ${filePath}`); + await downloadImage(src, `public/${filePath}`); + } + } + + // rewrite the schoolList file with the new image paths + console.log(`writing results to ${schoolListFilePath}`); + writeSchoolList(schoolList); +} + +function main() { + downloadFullImages() + .then(() => { + console.log("done."); + }) + .catch(console.error); +} + +main(); diff --git a/data/fetchLatLong.ts b/data/fetchLatLong.ts new file mode 100644 index 0000000..ee678d8 --- /dev/null +++ b/data/fetchLatLong.ts @@ -0,0 +1,63 @@ +// fetchLatLong.ts +// Description: Fetches the latitude and longitude and updates the school list file with the geolocations. +// Depends on the AWS_GEO_KEY environment variable being set to the AWS API key enabled with location services access. + +import { readSchoolList, writeSchoolList } from "./shared"; + +async function awsGeoLocate(address: string, cached: boolean = false) { + try { + const response = await fetch( + `https://places.geo.us-west-2.amazonaws.com/v2/geocode?key=${process.env.AWS_GEO_KEY}${cached ? "&intended-use=Storage" : ""}`, + { + method: "POST", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify({ + QueryText: address, + QueryComponents: { Locality: "San Francisco", Country: "US" }, + }), + }, + ); + + if (!response.ok) { + throw new Error(`HTTP error! Status: ${response.status}`); + } + + const result = await response.json(); + const item = result.ResultItems[0]; + + return { + addressString: item?.Title, + addressDetails: item?.Address, + geo: item?.Position, + geoBounds: item?.MapView, + }; + } catch (error) { + console.error("Error posting data:", error); + return null; + } +} + +async function awsGeoLocateArray(addresses: string[], cached: boolean = false) { + return await Promise.all( + addresses.map(async (address) => { + return await awsGeoLocate(address, cached); + }), + ); +} + +function main() { + const schoolList = readSchoolList(); + Promise.all( + schoolList.map(async (school) => { + const geolocations = await awsGeoLocateArray(school.locations); + return { ...school, geolocations }; + }), + ).then((results) => { + writeSchoolList(results); + console.log(JSON.stringify(results, null, 2)); + }); +} + +main(); diff --git a/data/fetchLogos.ts b/data/fetchLogos.ts new file mode 100644 index 0000000..c1d6657 --- /dev/null +++ b/data/fetchLogos.ts @@ -0,0 +1,60 @@ +// document.querySelector(".site-logo>img").getAttribute("src") +import { JSDOM } from "jsdom"; + +import { + readSchoolList, + SchoolProfile, + writeSchoolList, + downloadImage, + schoolStubFromUrlStub, + SchoolLogo, + extractExtensionFromUrl, + sleep, +} from "./shared"; + +const dosDelay = 3000; // mercy mode - 3 second delay between fetches (avoid DOS) + +async function extractLogoDetails(url: string): Promise { + const response = await fetch(url); + const html = await response.text(); + + const dom = new JSDOM(html); + const document = dom.window.document; + + const logoElement = document.querySelector(".site-logo>img"); + const logoUrl: string = logoElement?.getAttribute("src") || ""; + const logoAltText: string = logoElement?.getAttribute("alt") || ""; + const filePath = `${schoolStubFromUrlStub(url)}.${extractExtensionFromUrl(logoUrl)}`; + + return { logoUrl, logoAltText, filePath }; +} + +// extractLogoDetails("https://www.sfusd.edu/school/ap-giannini-middle-school") +// .then((details) => { +// console.log(JSON.stringify(details, null, 2)); +// console.log("done."); +// }) +// .catch(console.error); + +async function main() { + const schoolList = readSchoolList(); + for (const school of schoolList) { + console.log(`extracting logo for ${school.schoolUrl}`); + const logo = await extractLogoDetails(school.schoolUrl); + if (logo.logoUrl !== "") { + Object.assign(school, { logo }); + await sleep(dosDelay, true); + await downloadImage( + logo.logoUrl, + `public/school_img/logo/${logo.filePath}`, + ); + } + } + writeSchoolList(schoolList); +} + +main() + .then(() => { + console.log("done."); + }) + .catch(console.error); diff --git a/data/gdriveTest.ts b/data/gdriveTest.ts new file mode 100644 index 0000000..5c5c1de --- /dev/null +++ b/data/gdriveTest.ts @@ -0,0 +1,51 @@ +// an attempt to extract school data directly from the SARCS PDFs +// using the Google Drive API +// +// This test is on-hold since the SFUSD data may be available +// in a more structured format from: +// https://caaspp-elpac.ets.org/caaspp/ResearchFileListSB?ps=true&lstTestYear=2024&lstTestType=B&lstCounty=38&lstDistrict=68478-000&lstFocus=b + +import { google } from "googleapis"; + +async function listFilesInFolder(folderId: string) { + // Initialize client + const auth = new google.auth.GoogleAuth({ + keyFile: "data/sfusd-data-secretkey.json", // replace with your JSON key file + scopes: ["https://www.googleapis.com/auth/drive"], + }); + + const drive = google.drive({ version: "v3", auth }); + + // grab the file list + const res = await drive.files.list({ + q: `'${folderId}' in parents`, + fields: "files(id, name)", + }); + + const files = res.data.files; + if (files && files.length > 0) { + // grab the right file (hopefully) + const candidateFiles = files.filter( + (file) => + file.name && + file.name.toLowerCase().includes("eng") && + file.name.toLowerCase().includes("23"), + ); + + candidateFiles.forEach((file) => { + console.log(`${file.name} (${file.id})`); + }); + } else { + console.log("No files found."); + } +} + +// Call the function with the folder ID +listFilesInFolder("1AwM5P8Pf3JqhqqAy8aRELwyqtdK6ew4W") + .then(() => { + console.log("done"); + }) + .catch(console.error); + +// grab the right file +// Select and Read a File: Once you’ve listed files, you can use their IDs to download or read specific files. The drive.files.get method with alt: 'media' can be used to fetch file content. diff --git a/data/schoolList.json b/data/schoolList.json new file mode 100644 index 0000000..61bc5c4 --- /dev/null +++ b/data/schoolList.json @@ -0,0 +1,13018 @@ +[ + { + "schoolStub": "ap-giannini-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/ap-giannini-middle-school", + "schoolLabel": "A.P. Giannini Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/ORCHESTRA%201.jpg?itok=pWm52hvh", + "width": "320", + "height": "180", + "filePath": "public/school_img/ap-giannini-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Outer Sunset", + "principal": "Tai-Sun Schoeman", + "locations": ["3151 Ortega Street, San Francisco, California 94122"], + "phone": "415-759-2770", + "geolocations": [ + { + "addressString": "3151 Ortega St, San Francisco, CA 94122-4051, United States", + "addressDetails": { + "Label": "3151 Ortega St, San Francisco, CA 94122-4051, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Sunset", + "PostalCode": "94122-4051", + "Street": "Ortega St", + "StreetComponents": [ + { + "BaseName": "Ortega", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3151" + }, + "geo": [-122.49633, 37.75113], + "geoBounds": [-122.49747, 37.75023, -122.49519, 37.75203] + } + ], + "enrollment": "1195", + "schoolCode": "404", + "ytLinks": [ + "https://www.youtube.com/embed/JSRYAhGFt2o?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["JSRYAhGFt2o"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "A.P. Giannini Middle School is a diverse and inclusive institution located in the SF Sunset district that emphasizes critical thinking, global consciousness, and social justice to prepare students to be impactful community members and successful professionals.", + "bullets": [ + "Located in the culturally diverse SF Sunset district with over 50 years of educational excellence.", + "Focuses on student-centered, authentic learning experiences in a supportive and safe environment.", + "Offers a comprehensive curriculum designed to nurture intellectual, social, emotional, and physical development.", + "Commits to reducing demographic inequalities and fostering social justice and equity.", + "Provides extensive professional development for educators in pedagogy and curriculum planning." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Offers fee-based Mandarin and Spanish programs as part of a districtwide initiative for before and after school care." + }, + { + "name": "After School Programs", + "description": "Hosted by the Sunset Neighborhood BEACON Center from 3:35 - 6:30 p.m., providing various activities and support." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes for mild/moderate and moderate/severe learning needs, with an autism focus as needed." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features academic counseling, college tours, computer carts, and an outdoor education program to enhance learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "Provides students opportunities to engage in band, choir, dance, drama, guitar, jazz, media arts, orchestra, and visual arts." + }, + { + "name": "Athletics", + "description": "Offers sports programs such as baseball, basketball, soccer, softball, track and field, and volleyball to promote physical fitness." + }, + { + "name": "Student Support Programs", + "description": "Includes AVID, counselor support, health and wellness center, mentoring, on-site nurse, social worker, and college counseling services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/logo_0.png", + "logoAltText": "A.P. Giannini Middle School Logo", + "filePath": "ap-giannini-middle-school.png" + } + }, + { + "schoolStub": "abraham-lincoln-high-school", + "schoolUrl": "https://www.sfusd.edu/school/abraham-lincoln-high-school", + "schoolLabel": "Abraham Lincoln High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/ALHSBackOfSchool.jpg?itok=THa6qm--", + "width": "320", + "height": "427", + "filePath": "public/school_img/abraham-lincoln-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Parkside/Sunset", + "principal": "Sharimar Manalang", + "locations": ["2162 24th Avenue, San Francisco, California 94116"], + "phone": "415-759-2700", + "geolocations": [ + { + "addressString": "2162 24th Ave, San Francisco, CA 94116-1723, United States", + "addressDetails": { + "Label": "2162 24th Ave, San Francisco, CA 94116-1723, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Sunset", + "PostalCode": "94116-1723", + "Street": "24th Ave", + "StreetComponents": [ + { + "BaseName": "24th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2162" + }, + "geo": [-122.48123, 37.74717], + "geoBounds": [-122.48237, 37.74627, -122.48009, 37.74807] + } + ], + "enrollment": "2130", + "schoolCode": "405", + "ytLinks": [ + "https://www.youtube.com/embed/PfHdxukonSg?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["PfHdxukonSg"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Abraham Lincoln High School is a historic institution dedicated to fostering excellence, high academic standards, and student self-confidence within a nurturing environment.", + "bullets": [ + "Offers a robust Advanced Placement (AP) and honors program.", + "Comprehensive support for English Language Learners and Special Education students.", + "Promotes environmental and social justice through an Environmental Service Learning Initiative.", + "Diverse programs including Career Academies, arts enrichment, and athletic activities.", + "Strong community partnerships with 14 community agencies." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes ExCEL program, credit recovery, tutoring, student clubs, English Language Learner support, counseling, and access to a computer lab. Free and open to all Lincoln students from 3:53 PM-6:00 PM on Monday, Tuesday, & Friday, and from 2:57 PM-6:00 PM on Wednesday & Thursday." + }, + { + "name": "Language Programs", + "description": "Offers Japanese, Mandarin, and Spanish World Language classes to enhance bilingual and biliterate skills." + }, + { + "name": "Special Education Programs", + "description": "Provides a range of services including the Resource Specialist Program and several separate classes for mild/moderate to moderate/severe impairments, including a class focused on autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes Advanced Placement (AP) classes, Career Technical Education (CTE) academies, college classes at local universities, internships, project-based learning, service learning, and STEAM education." + }, + { + "name": "Arts Enrichment", + "description": "Programs in ceramics, choir, creative writing, dance, drama, ethnic studies, guitar, media arts, music, performing arts, and visual arts." + }, + { + "name": "Athletics", + "description": "Sports including badminton, baseball, basketball, cross country, fencing, flag football, football, golf, soccer, softball, swimming, tennis, track and field, volleyball, and wrestling." + }, + { + "name": "Student Support Programs", + "description": "Access to an on-site nurse, advisory, AVID, counselors, family liaison, mentoring, social worker, and peer resources." + }, + { + "name": "Career Technical Education Academies", + "description": "Includes academies in Arts, Media and Entertainment, Business and Finance, Education and Child Development, Energy and Utilities, Engineering and Architecture, Health Science and Technology, and Information and Communication Technology." + }, + { + "name": "College Counseling", + "description": "Provides 100% college prep, academic counseling, financial aid workshops, college application workshops, college tours and visits, and personal statement workshops through various initiatives." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ALHS%20Logo_0.png", + "logoAltText": "Abraham Lincoln High School Logo", + "filePath": "abraham-lincoln-high-school.png" + } + }, + { + "schoolStub": "access-sfusd-bay-street", + "schoolUrl": "https://www.sfusd.edu/school/access-sfusd-bay-street", + "schoolLabel": "Access SFUSD: Bay Street", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["13"], + "neighborhood": null, + "principal": "Kara Schinella", + "locations": ["416 Bay Street, San Francisco, California 94133"], + "phone": null, + "geolocations": [ + { + "addressString": "416 Bay St, San Francisco, CA 94133-1862, United States", + "addressDetails": { + "Label": "416 Bay St, San Francisco, CA 94133-1862, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Fisherman's Wharf", + "PostalCode": "94133-1862", + "Street": "Bay St", + "StreetComponents": [ + { + "BaseName": "Bay", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "416" + }, + "geo": [-122.41393, 37.80568], + "geoBounds": [-122.41507, 37.80478, -122.41279, 37.80658] + } + ], + "enrollment": "20", + "schoolCode": "441", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Access Bay Street is a vibrant school in the Chinatown-North Beach community focused on enriching the lives of diverse learners through community-based learning, personal connections, and continuous growth.", + "bullets": [ + "Located in the heart of the Chinatown-North Beach community, offering a rich, diverse learning experience.", + "Emphasizes community-based learning opportunities tailored to individual student needs.", + "Believes in building personal relationships for enhanced student engagement and achievement.", + "Offers a range of programs focused on student independence, including self-help, leadership, and work training.", + "Provides a supportive environment for transition-aged students with Individualized Education Programs (IEPs)." + ], + "programs": [ + { + "name": "ACCESS - Adult Transition Services", + "description": "A program designed to support transition-aged students with IEPs through a curriculum focused on increasing independence and life skills." + }, + { + "name": "Student Centered Programming", + "description": "Tailored learning experiences that address individual student needs, promoting a student-centered educational philosophy." + }, + { + "name": "Paid Internships and Volunteer Opportunities", + "description": "Opportunities for students to gain real-world experience and skills through internships and volunteer work." + }, + { + "name": "Community College of San Francisco (CCSF) Support", + "description": "Partnership with CCSF to provide additional educational resources and support for students' transition." + }, + { + "name": "Community-Based Instruction and Outings", + "description": "Learning experiences beyond the classroom through community instruction and outings to enhance practical life skills." + }, + { + "name": "Cooking and Nutrition Classes", + "description": "Hands-on classes focused on nutrition and cooking skills to promote health and wellness." + }, + { + "name": "Swimming at North Beach Swimming Pool", + "description": "Physical development and swimming classes at a local pool to improve students' physical well-being." + } + ] + } + }, + { + "schoolStub": "accesssfusd-arc", + "schoolUrl": "https://www.sfusd.edu/school/accesssfusd-arc", + "schoolLabel": "AccessSFUSD: The Arc", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2021-11/IMG_0749_0.jpeg?itok=y6_2R8P7", + "width": "320", + "height": "240", + "filePath": "public/school_img/accesssfusd-arc.jpeg" + }, + "gradesLabel": "County School", + "gradeCodes": ["13"], + "neighborhood": "South of Market", + "principal": "Kara Schinella", + "locations": ["1520 Howard Street, San Francisco, California 94103"], + "phone": "(415) 241-6435", + "geolocations": [ + { + "addressString": "1520 Howard St, San Francisco, CA 94103-2525, United States", + "addressDetails": { + "Label": "1520 Howard St, San Francisco, CA 94103-2525, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Soma", + "PostalCode": "94103-2525", + "Street": "Howard St", + "StreetComponents": [ + { + "BaseName": "Howard", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1520" + }, + "geo": [-122.416, 37.77288], + "geoBounds": [-122.41714, 37.77198, -122.41486, 37.77378] + } + ], + "enrollment": "20", + "schoolCode": "442", + "ytLinks": [ + "https://www.youtube.com/embed/DvlfxEwEOB0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["DvlfxEwEOB0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "AccessSFUSD: The Arc is a dynamic educational institution in San Francisco's SOMA district, dedicated to delivering engaging and individualized learning experiences for transition-aged students with IEPs.", + "bullets": [ + "Focus on functional academics including literacy and math to meet diverse student needs.", + "Hands-on community involvement through volunteer opportunities and paid internships.", + "Robust arts program offering diverse art forms such as digital media, visual arts, and performing arts.", + "Strong emphasis on student independence through travel training and job skills development.", + "Collaboration with community partners like Golden Gate Regional Center and Department of Rehabilitation for comprehensive transition support." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Programs focused on delivering customized education for students with special needs, ensuring a supportive and enriching learning environment." + }, + { + "name": "ACCESS - Adult Transition Services", + "description": "A comprehensive program designed to smooth the transition from school to adulthood, providing vital skills and experiences." + }, + { + "name": "School Day Academic Enrichment", + "description": "Intensive academic support aimed at enhancing literacy and mathematics skills tailored to each student's needs." + }, + { + "name": "Work Experience Education", + "description": "Real-world job experience opportunities coupled with career skills training to prepare students for future employment." + }, + { + "name": "Arts Enrichment", + "description": "A diverse arts curriculum including digital media, visual arts, dance, music, and performance arts, fostering creative expression." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/AccessSFUSD%20Logo_0.png", + "logoAltText": "AccessSFUSD: The Arc Logo", + "filePath": "accesssfusd-arc.png" + } + }, + { + "schoolStub": "alamo-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/alamo-elementary-school", + "schoolLabel": "Alamo Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Alamo%20ES.jpg?itok=7r_9ZIIp", + "width": "320", + "height": "180", + "filePath": "public/school_img/alamo-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Richmond", + "principal": "Rosa A. Fong", + "locations": ["250 23rd Avenue, San Francisco, California 94121"], + "phone": "415-750-8456", + "geolocations": [ + { + "addressString": "250 23rd Ave, San Francisco, CA 94121-2009, United States", + "addressDetails": { + "Label": "250 23rd Ave, San Francisco, CA 94121-2009, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Richmond", + "PostalCode": "94121-2009", + "Street": "23rd Ave", + "StreetComponents": [ + { + "BaseName": "23rd", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "250" + }, + "geo": [-122.48258, 37.78308], + "geoBounds": [-122.48372, 37.78218, -122.48144, 37.78398] + } + ], + "enrollment": "435", + "schoolCode": "413", + "ytLinks": [ + "https://www.youtube.com/embed/Pgfa1PxBhTE?autoplay=0&start=2580&rel=0" + ], + "ytCodes": ["Pgfa1PxBhTE"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Alamo Elementary School is a vibrant learning community dedicated to fostering academic excellence and personal growth through a rich blend of traditional and innovative educational programs.", + "bullets": [ + "Strong tradition of high achievement and academic excellence.", + "Inclusive and equitable environment fostered through a comprehensive arts program.", + "Diverse after-school programs, including unique language enrichment and cultural activities.", + "Robust support services including mental health, social work, and speech pathology.", + "Comprehensive English literacy and STEAM program initiatives for enhanced learning." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offered by the Richmond Neighborhood Center, these programs run Monday to Friday with varying hours, providing a safe and enriching environment for students in grades K-5." + }, + { + "name": "Russian Language Program", + "description": "An immersive language program with the same schedule as the after-school offerings, aimed at enhancing language skills and cultural awareness." + }, + { + "name": "Spanish Language Enrichment", + "description": "A fee-based class designed to enhance Spanish language skills through interactive and engaging methods." + }, + { + "name": "Ceramics", + "description": "Part of a fee-based enrichment offering, this class helps students explore their creative potential through the art of ceramics." + }, + { + "name": "Academic Chess", + "description": "A strategic enrichment class that sharpens students' critical thinking and analytical skills through chess." + }, + { + "name": "Nagata Dance and Hip-Hop", + "description": "Dance classes that are part of fee-based enrichment opportunities, promoting physical activity, creativity, and expression through a structured dance curriculum." + }, + { + "name": "Starship Chinese", + "description": "A specialized Chinese language enrichment program aimed at improving proficiency in the language, available to all interested students." + }, + { + "name": "Special Education Programs", + "description": "Offers Resource Specialist Program Services, separate class options for moderate/severe autism focus, and TK-5 SDC Moderate/Severe Autism focus school day." + }, + { + "name": "STEAM Program", + "description": "A curriculum integrating Science, Technology, Engineering, Arts, and Mathematics to encourage holistic education in a technologically advancing world." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive arts programs including Ceramics, Dance, Drama, Instrumental Music, and collaboration with SF Ballet, aiming to enhance creative skills across grade levels." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/logo.png", + "logoAltText": "Alamo Elementary School Logo", + "filePath": "alamo-elementary-school.png" + } + }, + { + "schoolStub": "alice-fong-yu-alternative-school-k-8", + "schoolUrl": "https://www.sfusd.edu/school/alice-fong-yu-alternative-school-k-8", + "schoolLabel": "Alice Fong Yu Alternative School (K-8)", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Alice_Fong_Yu_4.png?itok=PcnC63Xb", + "width": "320", + "height": "203", + "filePath": "public/school_img/alice-fong-yu-alternative-school-k-8.png" + }, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["K", "1-8"], + "neighborhood": "Inner Sunset", + "principal": "Liana Szeto", + "locations": ["1541 12th Avenue, San Francisco, California 94122"], + "phone": "415-759-2764", + "geolocations": [ + { + "addressString": "1541 12th Ave, San Francisco, CA 94122-3503, United States", + "addressDetails": { + "Label": "1541 12th Ave, San Francisco, CA 94122-3503, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Inner Sunset", + "PostalCode": "94122-3503", + "Street": "12th Ave", + "StreetComponents": [ + { + "BaseName": "12th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1541" + }, + "geo": [-122.46968, 37.75896], + "geoBounds": [-122.47082, 37.75806, -122.46854, 37.75986] + } + ], + "enrollment": "600", + "schoolCode": "485", + "ytLinks": [ + "https://www.youtube.com/embed/waVxMsxcPL4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["waVxMsxcPL4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Alice Fong Yu Alternative School, the nation's first Chinese immersion public school, offers a unique K-8 Chinese language immersion program fostering bilingual skills and global perspectives.", + "bullets": [ + "Nation's first Chinese immersion public school offering both Cantonese and Mandarin language programs.", + "Rigorous academic curriculum with emphasis on student leadership and environmental stewardship.", + "Comprehensive before and after school tutoring support tailored to student needs.", + "Enrichment activities including ceramic arts, creative movements, and an annual 8th-grade trip to China.", + "Weekly bilingual parent communication ensuring strong parent-school engagement." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Sessions available for K-5 from 7:00 am to 9:30 am, catering to early parents' schedules." + }, + { + "name": "After School Programs", + "description": "Programs available from 2:30 pm to 6:00 pm, providing continued learning and care after school hours." + }, + { + "name": "Language Programs", + "description": "Cantonese Dual Language Immersion from K-8 and Mandarin from grades 6-8." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services for students requiring additional educational support." + }, + { + "name": "Arts Enrichment", + "description": "Activities include arts residency in ceramics, visual arts, and gardening, enriching students' creative abilities." + }, + { + "name": "Student Support Programs", + "description": "Support from counselors, social workers, and student advisers focusing on student's well-being and academic progress." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/logo_3.png", + "logoAltText": "Alice Fong Yu Alternative School (K8) Logo", + "filePath": "alice-fong-yu-alternative-school-k-8.png" + } + }, + { + "schoolStub": "alvarado-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/alvarado-elementary-school", + "schoolLabel": "Alvarado Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/alvarado_470.jpg?itok=syT0_3G2", + "width": "320", + "height": "339", + "filePath": "public/school_img/alvarado-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Noe Valley", + "principal": "Michelle Sundby", + "locations": ["625 Douglass Street, San Francisco, California 94114"], + "phone": "415-695-5695", + "geolocations": [ + { + "addressString": "625 Douglass St, San Francisco, CA 94114-3140, United States", + "addressDetails": { + "Label": "625 Douglass St, San Francisco, CA 94114-3140, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Noe Valley", + "PostalCode": "94114-3140", + "Street": "Douglass St", + "StreetComponents": [ + { + "BaseName": "Douglass", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "625" + }, + "geo": [-122.43859, 37.75375], + "geoBounds": [-122.43973, 37.75285, -122.43745, 37.75465] + } + ], + "enrollment": "535", + "schoolCode": "420", + "ytLinks": [ + "https://www.youtube.com/embed/s93JyJQ4V0Y?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["s93JyJQ4V0Y"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Alvarado School is a vibrant community-focused educational institution that fosters academic excellence and artistic expression while celebrating diversity and promoting social justice in a safe and engaging environment.", + "bullets": [ + "Offers a unique Spanish-English Dual Immersion Program, supporting bilingual education.", + "Emphasizes social justice through its varied curriculum, promoting assemblies like Latino Pride and Women's History.", + "Provides a comprehensive arts program, integrating 2D/3D arts, instrumental music, and vocal performances into the curriculum.", + "Cultivates community through before and after school programs and cultural events involving parent volunteers.", + "Utilizes diverse teaching strategies to cater to various learning styles, ensuring engaging and accessible education for all students." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Start the day with a community morning circle featuring announcements and student recognition, plus the Alvarado Song on Fridays." + }, + { + "name": "After School Programs", + "description": "Alvarado partners with Mission Graduates to offer on-site care and connects students with local neighborhood programs." + }, + { + "name": "Spanish Dual Language Immersion", + "description": "An award-winning language program enabling students to become proficient in both Spanish and English." + }, + { + "name": "Special Education Programs", + "description": "Includes separate classes for moderate/severe needs and resource specialist services for targeted support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features resources like computer labs, literacy interventionists, and a science lab to enhance student learning." + }, + { + "name": "Arts Enrichment", + "description": "Offers 2D/3D arts electives, Orff music sessions, and small group instrumental lessons, with performances at school assemblies." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/cougars_red.jpg", + "logoAltText": "Alvarado Elementary School Logo", + "filePath": "alvarado-elementary-school.jpg" + } + }, + { + "schoolStub": "aptos-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/aptos-middle-school", + "schoolLabel": "Aptos Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Aptos%20Middle%20School%202010.jpg?itok=nG2PbikU", + "width": "320", + "height": "149", + "filePath": "public/school_img/aptos-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "West of Twin Peaks", + "principal": "Dimitric Roseboro", + "locations": ["105 Aptos Avenue, San Francisco, California 94127"], + "phone": "415-469-4520", + "geolocations": [ + { + "addressString": "105 Aptos Ave, San Francisco, CA 94127-2520, United States", + "addressDetails": { + "Label": "105 Aptos Ave, San Francisco, CA 94127-2520, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mt Davidson Manor", + "PostalCode": "94127-2520", + "Street": "Aptos Ave", + "StreetComponents": [ + { + "BaseName": "Aptos", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "105" + }, + "geo": [-122.46626, 37.72977], + "geoBounds": [-122.4674, 37.72887, -122.46512, 37.73067] + } + ], + "enrollment": "975", + "schoolCode": "431", + "ytLinks": [ + "https://www.youtube.com/embed/MyLpnXyKkGs?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["MyLpnXyKkGs"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Aptos Middle School is dedicated to providing an empowering educational experience focused on mastering Common Core standards, fostering 21st-century skills, and promoting social justice through its T.I.G.E.R. values.", + "bullets": [ + "Committed to developing students' critical thinking skills and academic competency with a strong emphasis on 21st-century skills.", + "Promotes a culture of teamwork, integrity, grit, empathy, and responsibility known as T.I.G.E.R. values.", + "Offers a comprehensive set of afterschool programs including academic assistance, arts, recreation, and leadership development.", + "Provides specialized programs for students with special needs aligned with inclusive education practices.", + "Emphasizes college and career readiness with programs like AVID and STEAM." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The CYC Aptos Beacon Center offers services that promote social emotional learning, youth development, and family partnerships through community building, academic assistance, arts and recreation, enrichment classes, leadership development, and project-based learning." + }, + { + "name": "Language Programs", + "description": "Mandarin Secondary Dual Language Program focuses on multilingual education and building language skills." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services and separate classes for students with mild, moderate, and severe Autism focus, providing a continuum of services in line with the IDEA and inclusive education principles." + }, + { + "name": "STEAM Enrichment", + "description": "An educational approach integrating Science, Technology, Engineering, Arts, and Mathematics to inspire students through interdisciplinary learning." + }, + { + "name": "Advancement Via Individual Determination (AVID)", + "description": "A program designed to equip students with the skills necessary for college and career readiness." + }, + { + "name": "Athletics Program", + "description": "Offers sports such as baseball, basketball, soccer, softball, track and field, and volleyball to promote physical education and teamwork." + } + ] + } + }, + { + "schoolStub": "argonne-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/argonne-early-education-school", + "schoolLabel": "Argonne Early Education School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/P1010301.jpg?itok=bKEOUcvT", + "width": "320", + "height": "427", + "filePath": "public/school_img/argonne-early-education-school.jpg" + }, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Inner Richmond", + "principal": "Nkechi Nwankwo", + "locations": ["750 - 16th Avenue, San Francisco, California 94118"], + "phone": "415-750-8617", + "geolocations": [ + { + "addressString": "750 16th Ave, San Francisco, CA 94118-3513, United States", + "addressDetails": { + "Label": "750 16th Ave, San Francisco, CA 94118-3513, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Richmond", + "PostalCode": "94118-3513", + "Street": "16th Ave", + "StreetComponents": [ + { + "BaseName": "16th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "750" + }, + "geo": [-122.47438, 37.77395], + "geoBounds": [-122.47552, 37.77305, -122.47324, 37.77485] + } + ], + "enrollment": "20", + "schoolCode": "903", + "ytLinks": [ + "https://www.youtube.com/embed/sKNqOi2Gb8Q?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["sKNqOi2Gb8Q"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Argonne Early Education School offers a nurturing environment for Prekindergarten and Transitional Kindergarten students, focusing on play-based learning to foster childhood development and joyful learning experiences.", + "bullets": [ + "Offers both Prekindergarten (PK) and Transitional Kindergarten (TK) programs.", + "Emphasizes play-based, intentionally designed learning environments.", + "Recognizes and integrates the 'Funds of Knowledge' children bring from their families, cultures, and communities.", + "Provides Out-of-School Time (OST) enrichment programs with subsidized tuition available for eligible families.", + "Conducts annual surveys to assess social-emotional learning and school climate." + ], + "programs": [ + { + "name": "Prekindergarten (PK) Program", + "description": "A program designed for early childhood education focusing on play-based learning to develop competencies in young children." + }, + { + "name": "Transitional Kindergarten (TK) Program", + "description": "A bridge between preschool and kindergarten, catering to children who fall into the older age range for preschool but are not yet eligible for kindergarten." + }, + { + "name": "Out-of-School Time (OST) Program", + "description": "An enrichment program offered after school hours and during breaks, available to all elementary students meeting age requirements, with options for subsidized tuition." + }, + { + "name": "Integrated General Education Class", + "description": "Special education program designed for PK students, integrating general education with support to meet diverse learning needs." + } + ] + } + }, + { + "schoolStub": "argonne-elementary-school-extended-year", + "schoolUrl": "https://www.sfusd.edu/school/argonne-elementary-school-extended-year", + "schoolLabel": "Argonne Elementary School - Extended Year", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Argonne%20Aug%202021.jpeg?itok=HoewKXrX", + "width": "320", + "height": "255", + "filePath": "public/school_img/argonne-elementary-school-extended-year.jpeg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Richmond", + "principal": "Rebecca Levison", + "locations": ["680 18th Avenue, San Francisco, California 94121"], + "phone": "415-750-8460", + "geolocations": [ + { + "addressString": "680 18th Ave, San Francisco, CA 94121-3823, United States", + "addressDetails": { + "Label": "680 18th Ave, San Francisco, CA 94121-3823, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Richmond", + "PostalCode": "94121-3823", + "Street": "18th Ave", + "StreetComponents": [ + { + "BaseName": "18th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "680" + }, + "geo": [-122.47662, 37.77539], + "geoBounds": [-122.47776, 37.77449, -122.47548, 37.77629] + } + ], + "enrollment": "395", + "schoolCode": "435", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Argonne Elementary School fosters a dynamic learning environment, emphasizing critical and creative thinking with a strong focus on interdisciplinary teaching and project-based learning to prepare students for the 21st century.", + "bullets": [ + "Emphasizes experiential, project-based learning to ignite passion in students and teachers.", + "Integrates technology and multi-sensory approaches in the curriculum.", + "Strong commitment to equal access and support for all children, acknowledging diverse backgrounds and needs.", + "Offers a variety of after-school programs including special focus on cultural and creative enrichment.", + "Provides comprehensive student support programs including social worker and speech pathologist services." + ], + "programs": [ + { + "name": "Chinese After School Program (CASP)", + "description": "An after school program focusing on Chinese cultural and language education." + }, + { + "name": "The Richmond Neighborhood Center", + "description": "An after school care service providing various community-based activities and support." + }, + { + "name": "YMCA After School Program", + "description": "A program providing extracurricular activities and support grounded in the YMCA's values and community services." + }, + { + "name": "Resource Specialist Program Services", + "description": "A special education service offering individualized support with a focus on mild to moderate autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes 1:1 student Chromebooks, individual learning plans, library, literacy intervention, outdoor education, and project-based learning to enhance academic experiences." + }, + { + "name": "Arts Enrichment", + "description": "Provides students with exposure to choir, drama, gardening, instrumental music, SF Ballet program, and visual arts." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services including a social worker and speech pathologist to assist with student development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/argonne-wolf%20%283%29.png", + "logoAltText": "Argonne Elementary School Logo", + "filePath": "argonne-elementary-school-extended-year.png" + } + }, + { + "schoolStub": "balboa-high-school", + "schoolUrl": "https://www.sfusd.edu/school/balboa-high-school", + "schoolLabel": "Balboa High School", + "image": null, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Excelsior", + "principal": "Catherine Arenson", + "locations": ["1000 Cayuga Avenue, San Francisco, California 94112"], + "phone": "415-469-4090", + "geolocations": [ + { + "addressString": "1000 Cayuga Ave, San Francisco, CA 94112-3236, United States", + "addressDetails": { + "Label": "1000 Cayuga Ave, San Francisco, CA 94112-3236, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission Terrace", + "PostalCode": "94112-3236", + "Street": "Cayuga Ave", + "StreetComponents": [ + { + "BaseName": "Cayuga", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1000" + }, + "geo": [-122.43992, 37.72207], + "geoBounds": [-122.44106, 37.72117, -122.43878, 37.72297] + } + ], + "enrollment": "1260", + "schoolCode": "439", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Balboa is a vibrant college preparatory high school that fosters strong student-teacher relationships and offers a comprehensive education through small learning communities.", + "bullets": [ + "Emphasis on small learning communities allowing for personalized education.", + "Diverse language programs including Filipino, Mandarin, and Spanish.", + "Wide range of after school programs including athletics, clubs, and tutoring, offered at no cost.", + "Rich arts enrichment with offerings in music, dance, media arts, and visual arts.", + "Career Technical Education (CTE) academies focusing on real-world skills and internships." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes athletics, clubs, tutoring, and a JROTC program. Available Monday to Friday with extended hours, free of charge." + }, + { + "name": "Language Programs", + "description": "Offers courses in Filipino, Mandarin, and Spanish to enhance linguistic abilities and cultural understanding." + }, + { + "name": "Special Education Programs", + "description": "Comprehensive support including ACCESS Adult Transition Services, Resource Specialist Program, and separate classes for various needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features AP classes, CTE Academies, college classes on-site, honors classes, and project-based learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "Diverse offerings in band, choir, dance, guitar, media arts, orchestra, performing arts, and visual arts." + }, + { + "name": "Athletics", + "description": "Wide variety of sports including badminton, basketball, soccer, swimming, and wrestling, promoting physical development and teamwork." + }, + { + "name": "Student Support Programs", + "description": "Includes counseling, health and wellness center, peer resources, and social work services to support student well-being." + }, + { + "name": "Career Technical Education Academies", + "description": "Focuses on Arts, Media and Entertainment, and Information and Communication Technology, preparing students for future careers." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Balboa_Established.png", + "logoAltText": "Balboa High School Logo", + "filePath": "balboa-high-school.png" + } + }, + { + "schoolStub": "bessie-carmichael-school-prek-8-filipino-education-center", + "schoolUrl": "https://www.sfusd.edu/school/bessie-carmichael-school-prek-8-filipino-education-center", + "schoolLabel": "Bessie Carmichael School PreK-8 Filipino Education Center", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/bessie-carmichael-school-470.jpg?itok=rukzJBHd", + "width": "313", + "height": "461", + "filePath": "public/school_img/bessie-carmichael-school-prek-8-filipino-education-center.jpg" + }, + "gradesLabel": "Early Education, Elementary School, K-8 School, Middle School", + "gradeCodes": ["PreK", "TK", "K", "1-8"], + "neighborhood": "South of Market", + "principal": "Rasheena Bell", + "locations": [ + "375 7th Street, San Francisco, California 94103", + "824 Harrison Street, San Francisco, California 94103" + ], + "phone": "415-615-8441 (PK-5); 415-291-7983 (6-8)", + "geolocations": [ + { + "addressString": "375 7th St, San Francisco, CA 94103-4029, United States", + "addressDetails": { + "Label": "375 7th St, San Francisco, CA 94103-4029, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Soma", + "PostalCode": "94103-4029", + "Street": "7th St", + "StreetComponents": [ + { + "BaseName": "7th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "375" + }, + "geo": [-122.40644, 37.77609], + "geoBounds": [-122.40758, 37.77519, -122.4053, 37.77699] + }, + { + "addressString": "824 Harrison St, San Francisco, CA 94107-1125, United States", + "addressDetails": { + "Label": "824 Harrison St, San Francisco, CA 94107-1125, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Soma", + "PostalCode": "94107-1125", + "Street": "Harrison St", + "StreetComponents": [ + { + "BaseName": "Harrison", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "824" + }, + "geo": [-122.4005, 37.78055], + "geoBounds": [-122.40164, 37.77965, -122.39936, 37.78145] + } + ], + "enrollment": "650", + "schoolCode": "449", + "ytLinks": [ + "https://www.youtube.com/embed/eZTMnOeak4o?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["eZTMnOeak4o"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Bessie PK-8 is a vibrant school committed to antiracist education and equipping each student with a rigorous balance of social-emotional and academic learning, ensuring they are ready for high school, college, and beyond.", + "bullets": [ + "Driven by the core values of being \"Linked through Love,\" promoting \"Literacy for Liberation,\" and fostering \"Lifelong Learning.\"", + "Strong community roots in SoMa with a rich history.", + "Offers a diverse range of before and after school programs, including Mission Graduates and United Playaz.", + "Comprehensive language programs, including a focus on Filipino through FLES.", + "Robust support services including college counseling, health and wellness center, and social-emotional learning assessments." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Includes 'Mission Graduates TBD for 22/23' and other districtwide offerings." + }, + { + "name": "After School Programs", + "description": "Includes Mission Graduates Beacon, Galing Bata (off-site), and United Playaz Program (off-site)." + }, + { + "name": "Language Programs", + "description": "Offers the Filipino Foreign Language in Elementary School (FLES) Program." + }, + { + "name": "Special Education Programs", + "description": "Provides PreK Inclusion and Resource Specialist Program Services." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features a variety of programs such as AVID, Eco-Literacy, and STEAM." + }, + { + "name": "Arts Enrichment", + "description": "Includes arts residency, drumming, and a comprehensive music program." + }, + { + "name": "Athletics", + "description": "Offers sports programs such as basketball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory, AVID, counseling, family liaison, health and wellness services, and college counseling." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/2.png", + "logoAltText": "Bessie Carmichael School PreK-8 Filipino Education Center Logo", + "filePath": "bessie-carmichael-school-prek-8-filipino-education-center.png" + } + }, + { + "schoolStub": "bret-harte-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/bret-harte-elementary-school", + "schoolLabel": "Bret Harte Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Week%203.jpg?itok=toy4a85w", + "width": "320", + "height": "240", + "filePath": "public/school_img/bret-harte-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Bayview", + "principal": "Jeremy Hilinski", + "locations": ["1035 Gilman Avenue, San Francisco, California 94124"], + "phone": "415-330-1520", + "geolocations": [ + { + "addressString": "1035 Gilman Ave, San Francisco, CA 94124-3710, United States", + "addressDetails": { + "Label": "1035 Gilman Ave, San Francisco, CA 94124-3710, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-3710", + "Street": "Gilman Ave", + "StreetComponents": [ + { + "BaseName": "Gilman", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1035" + }, + "geo": [-122.38895, 37.71796], + "geoBounds": [-122.39009, 37.71706, -122.38781, 37.71886] + } + ], + "enrollment": "350", + "schoolCode": "453", + "ytLinks": [ + "https://www.youtube.com/embed/86GiEHW5tJY?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/86GiEHW5tJY?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["86GiEHW5tJY", "86GiEHW5tJY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Bret Harte School is dedicated to delivering high-quality instructional programs that foster individual talents in a diverse and supportive environment, ensuring students are equipped to become productive citizens.", + "bullets": [ + "Offers a dynamic arts and enrichment curriculum that includes music, dance, visual and performing arts, as well as sports programs.", + "Promotes cultural diversity and equity with inclusive language and special education programs.", + "Features robust community partnerships to enhance student learning with organizations like the San Francisco Symphony and Bay Area Discovery Museum.", + "Provides extensive before and after school care programs, enriching activities, and academic support services.", + "Prioritizes parent involvement and professional accountability amongst staff to ensure student success." + ], + "programs": [ + { + "name": "Adventures in Music (AIM)", + "description": "This program gives students the opportunity to attend performances by the San Francisco Symphony, expanding their exposure to orchestral music." + }, + { + "name": "America SCORES Bay Area", + "description": "Combines soccer and poetry to empower students, helping them develop athletic skills and creative expression." + }, + { + "name": "Beacon Before and Afterschool Programs", + "description": "Offers before school childcare and afterschool enrichment activities including tutoring, arts, and sports, from early morning until the evening." + }, + { + "name": "Spanish Dual Language Immersion", + "description": "Provides a dual language program facilitating bilingual proficiency in Spanish and English for students." + }, + { + "name": "Resource Specialist Program Services", + "description": "Offers specialized educational services tailored to the needs of students with mild to moderate disabilities." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-08-01%20at%202.05.04%20PM.png", + "logoAltText": "Bret Harte Elementary School Logo", + "filePath": "bret-harte-elementary-school.png" + } + }, + { + "schoolStub": "bryant-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/bryant-elementary-school", + "schoolLabel": "Bryant Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Bryant%20ES.JPG?itok=NsnrIfLa", + "width": "320", + "height": "240", + "filePath": "public/school_img/bryant-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Mission", + "principal": "Gilberto Parada", + "locations": ["2641 25th Street, San Francisco, California 94110"], + "phone": "415-695-5780", + "geolocations": [ + { + "addressString": "2641 25th St, San Francisco, CA 94110-3514, United States", + "addressDetails": { + "Label": "2641 25th St, San Francisco, CA 94110-3514, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Potrero", + "PostalCode": "94110-3514", + "Street": "25th St", + "StreetComponents": [ + { + "BaseName": "25th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2641" + }, + "geo": [-122.40495, 37.7517], + "geoBounds": [-122.40609, 37.7508, -122.40381, 37.7526] + } + ], + "enrollment": "210", + "schoolCode": "456", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Bryant Elementary School is a nurturing community school in San Francisco's Mission District, dedicated to fostering life-long learners and creative, socially responsible critical thinkers through high expectations and community engagement.", + "bullets": [ + "Foster life-long learning with a focus on core values like curiosity, empathy, and self-confidence.", + "Offers both a Spanish biliteracy and English Plus pathway to enhance literacy and bilingual capabilities.", + "Provides extensive after-school programs with extracurricular activities such as music, dance, and sports.", + "Community partnership and involvement in active CARE and Mental Health Collaborative Teams for student support.", + "Inclusive environment featuring small group instruction and extensive student support services including mental health resources." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes the SFUSD Early Education Department Out of School Time Program for PreK & K-5, and Mission Graduates ExCEL program offering tutoring, homework help, and extracurricular activities." + }, + { + "name": "Spanish Biliteracy Program", + "description": "A language program aimed at developing literacy and bilingual proficiency in Spanish to provide students with a global competitive advantage." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class and Resource Specialist Program Services to support students with special needs." + }, + { + "name": "Academic Enrichment Programs", + "description": "Offers computer carts, a computer lab, educational science programs, and literacy interventionists to enhance academic learning." + }, + { + "name": "Arts Enrichment Programs", + "description": "Covers arts residencies, music programs including mariachi and instrumental music, as well as dance and visual arts." + }, + { + "name": "Student Support Programs", + "description": "Provides access to a nurse, counselor, mentoring, social worker, student adviser, and therapist to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/563998_496386737047701_1598231096_n.jpg", + "logoAltText": "Bryant Elementary School Logo", + "filePath": "bryant-elementary-school.jpg" + } + }, + { + "schoolStub": "buena-vista-horace-mann-k-8-community-school", + "schoolUrl": "https://www.sfusd.edu/school/buena-vista-horace-mann-k-8-community-school", + "schoolLabel": "Buena Vista Horace Mann K-8 Community School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/buena_vista.jpg?itok=3lckRokj", + "width": "320", + "height": "424", + "filePath": "public/school_img/buena-vista-horace-mann-k-8-community-school.jpg" + }, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["K", "1-8"], + "neighborhood": "Mission", + "principal": "Claudia Delarios-Moran", + "locations": ["3351 23rd Street, San Francisco, California 94110"], + "phone": "415-695-5881", + "geolocations": [ + { + "addressString": "3351 23rd St, San Francisco, CA 94110-3031, United States", + "addressDetails": { + "Label": "3351 23rd St, San Francisco, CA 94110-3031, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-3031", + "Street": "23rd St", + "StreetComponents": [ + { + "BaseName": "23rd", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3351" + }, + "geo": [-122.42028, 37.75357], + "geoBounds": [-122.42142, 37.75267, -122.41914, 37.75447] + } + ], + "enrollment": "620", + "schoolCode": "618", + "ytLinks": [ + "https://www.youtube.com/embed/qE6EHDVV1yc?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["qE6EHDVV1yc"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "BVHM is a vibrant K-8 dual-language Spanish Immersion Community School located in the Mission District, dedicated to nurturing bilingual and multicultural students who excel academically, socially, and artistically.", + "bullets": [ + "Offers a strong Spanish Dual Language Immersion program fostering bilingualism and cultural understanding.", + "Incorporates a visionary social justice perspective empowering students to become community change agents.", + "Features robust before and after school programs ensuring comprehensive student support.", + "Provides extensive academic enrichment opportunities including STEAM and arts programs.", + "Focuses on social-emotional learning to create a culturally responsive and supportive school climate." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Jamestown Community Center offers before-school programs starting at 7:00 am, providing academic and enrichment activities for students." + }, + { + "name": "After School Programs", + "description": "Jamestown Collaborative provides no-cost after school programs through ExCEL, including academic tutoring and enrichment for elementary and middle school students." + }, + { + "name": "Spanish Dual Language Immersion", + "description": "This program immerses students in a bilingual educational environment, enhancing both Spanish and English language skills." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate mild/moderate classes for K-5 students, catering to special education needs." + }, + { + "name": "Academic Enrichment", + "description": "Features resources like computer carts, a computer lab, science lab, STEAM programs, and various arts enrichment activities." + }, + { + "name": "Athletics", + "description": "Offers sports activities such as baseball, basketball, soccer, softball, track and field, and volleyball to promote physical wellness." + }, + { + "name": "Student Support Programs", + "description": "Provides student support with a family liaison, on-site nurse, and social worker to ensure comprehensive care for students." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Copy%20of%20Dragon%20Logo.jpg", + "logoAltText": "Buena Vista Horace Mann K-8 Community School Logo", + "filePath": "buena-vista-horace-mann-k-8-community-school.jpg" + } + }, + { + "schoolStub": "care-bayview", + "schoolUrl": "https://www.sfusd.edu/school/care-bayview", + "schoolLabel": "C.A.R.E. Bayview", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["9-10"], + "neighborhood": "Bayview", + "principal": "Sylvia Lepe Reyes", + "locations": [ + "1601 Lane Street", + "3rd Floor", + "San Francisco, California 94124" + ], + "phone": "415-297-3774", + "geolocations": [ + { + "addressString": "1601 Lane St, San Francisco, CA 94124-2732, United States", + "addressDetails": { + "Label": "1601 Lane St, San Francisco, CA 94124-2732, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-2732", + "Street": "Lane St", + "StreetComponents": [ + { + "BaseName": "Lane", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1601" + }, + "geo": [-122.38958, 37.7318], + "geoBounds": [-122.39072, 37.7309, -122.38844, 37.7327] + }, + { + "addressString": "Calle Hacienda de la Flor 3, Fraccionamiento Rancho La Palma, 55717 San Francisco Coacalco, Edomex, México", + "addressDetails": { + "Label": "Calle Hacienda de la Flor 3, Fraccionamiento Rancho La Palma, 55717 San Francisco Coacalco, Edomex, México", + "Country": { + "Code2": "MX", + "Code3": "MEX", + "Name": "México" + }, + "Region": { + "Code": "Edomex", + "Name": "México" + }, + "Locality": "San Francisco Coacalco", + "District": "Fraccionamiento Rancho La Palma", + "PostalCode": "55717", + "Street": "Calle Hacienda de la Flor", + "StreetComponents": [ + { + "BaseName": "Hacienda de la Flor", + "Type": "Calle", + "TypePlacement": "BeforeBaseName", + "TypeSeparator": " ", + "Language": "es" + } + ], + "AddressNumber": "3" + }, + "geo": [-99.11989, 19.64567], + "geoBounds": [-99.12084, 19.64477, -99.11894, 19.64657] + }, + { + "addressString": "94124, San Francisco, CA, United States", + "addressDetails": { + "Label": "94124, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94124" + }, + "geo": [-122.38998, 37.73345], + "geoBounds": [-122.40803, 37.70824, -122.35702, 37.7515] + } + ], + "enrollment": "20", + "schoolCode": "45801", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "C.A.R.E. provides specialized educational support for middle and early high school students in San Francisco, focusing on those with interrupted schooling or special needs, through its comprehensive re-entry and empowerment programs.", + "bullets": [ + "Located in various San Francisco neighborhoods providing accessible educational support.", + "Targets students with interrupted schooling, fostering re-engagement and success.", + "Collaborates with local organizations and school district for holistic student support.", + "Offers a unique one-room schoolhouse model with personalized teaching assistance.", + "Provides comprehensive transitional plans tailored to each student's needs." + ], + "programs": [ + { + "name": "School Day Academic Enrichment", + "description": "Equips students with Chromebooks and offers academic counseling and project-based learning activities to enrich their standard curriculum." + }, + { + "name": "Arts Enrichment", + "description": "Includes a variety of art classes along with cooking and home economics to cater to diverse student interests." + }, + { + "name": "Student Support Programs", + "description": "Provides advisory services, counseling, and college tours to support college readiness and personal development." + }, + { + "name": "Job Readiness Programs", + "description": "Offers job readiness training and entrepreneurship opportunities including micro-loan programs to prepare students for future employment." + }, + { + "name": "Internship Opportunities", + "description": "Facilitates internship placements to provide practical experience and exploration of career interests." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/County%20Satellite%20Logo_2.jpeg", + "logoAltText": "C.A.R.E. Bayview Logo", + "filePath": "care-bayview.jpeg" + } + }, + { + "schoolStub": "care-buchanan", + "schoolUrl": "https://www.sfusd.edu/school/care-buchanan", + "schoolLabel": "C.A.R.E. Buchanan", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["9-10"], + "neighborhood": "Lower Haight/Western Addition", + "principal": "Sylvia Lepe Reyes", + "locations": ["1530 Buchanan Street, San Francisco, California 94124"], + "phone": "415-905-0182", + "geolocations": [ + { + "addressString": "1530 Buchanan St, San Francisco, CA 94115-3709, United States", + "addressDetails": { + "Label": "1530 Buchanan St, San Francisco, CA 94115-3709, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Western Addition", + "PostalCode": "94115-3709", + "Street": "Buchanan St", + "StreetComponents": [ + { + "BaseName": "Buchanan", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1530" + }, + "geo": [-122.42915, 37.78418], + "geoBounds": [-122.43029, 37.78328, -122.42801, 37.78508] + } + ], + "enrollment": "20", + "schoolCode": "45803", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "The Centers for Academic Re-entry and Empowerment (C.A.R.E.) provide innovative educational programs designed to support middle and high school students in San Francisco who have experienced interrupted schooling.", + "bullets": [ + "Partnership between the San Francisco County Office of Education and the Y of San Francisco.", + "Serves students who are in foster care, experiencing homelessness, or are chronically truant.", + "Emphasizes student choice, allowing families to opt into the program voluntarily.", + "Offers a one-room schoolhouse model with flexible credits earning options.", + "Includes comprehensive services like college and career exploration, job training, and entrepreneurship opportunities." + ], + "programs": [ + { + "name": "School Day Academic Enrichment", + "description": "Offers 1:1 student Chromebooks, academic counseling, college tours, project-based learning, and tutoring in school." + }, + { + "name": "Arts Enrichment", + "description": "Provides comprehensive art classes including ceramics to engage students creatively." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory and counseling services with support from a school social worker and partnerships with community organizations like the Japanese Community Youth Council." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/County%20Satellite%20Logo.jpeg", + "logoAltText": "C.A.R.E. Buchanan Logo", + "filePath": "care-buchanan.jpeg" + } + }, + { + "schoolStub": "care-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/care-middle-school", + "schoolLabel": "C.A.R.E. Middle School", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["6-8"], + "neighborhood": "Bayview", + "principal": "Sylvia Lepe Reyes", + "locations": [ + "1601 Lane Street", + "2nd Floor", + "San Francisco, California 94124" + ], + "phone": "415-969-1976", + "geolocations": [ + { + "addressString": "1601 Lane St, San Francisco, CA 94124-2732, United States", + "addressDetails": { + "Label": "1601 Lane St, San Francisco, CA 94124-2732, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-2732", + "Street": "Lane St", + "StreetComponents": [ + { + "BaseName": "Lane", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1601" + }, + "geo": [-122.38958, 37.7318], + "geoBounds": [-122.39072, 37.7309, -122.38844, 37.7327] + }, + { + "addressString": "Calle Flor de Nochebuena 2, Fracc San Francisco de los Arteaga, 20296 Aguascalientes, Ags, México", + "addressDetails": { + "Label": "Calle Flor de Nochebuena 2, Fracc San Francisco de los Arteaga, 20296 Aguascalientes, Ags, México", + "Country": { + "Code2": "MX", + "Code3": "MEX", + "Name": "México" + }, + "Region": { + "Code": "Ags", + "Name": "Aguascalientes" + }, + "Locality": "Aguascalientes", + "District": "Fracc San Francisco de los Arteaga", + "PostalCode": "20296", + "Street": "Calle Flor de Nochebuena", + "StreetComponents": [ + { + "BaseName": "Flor de Nochebuena", + "Type": "Calle", + "TypePlacement": "BeforeBaseName", + "TypeSeparator": " ", + "Language": "es" + } + ], + "AddressNumber": "2" + }, + "geo": [-102.27393, 21.8259], + "geoBounds": [-102.2749, 21.825, -102.27296, 21.8268] + }, + { + "addressString": "94124, San Francisco, CA, United States", + "addressDetails": { + "Label": "94124, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94124" + }, + "geo": [-122.38998, 37.73345], + "geoBounds": [-122.40803, 37.70824, -122.35702, 37.7515] + } + ], + "schoolCode": "458", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "C.A.R.E. is an innovative educational partnership in San Francisco designed to support middle and high school students who have missed significant portions of their education by offering personalized, community-integrated programs.", + "bullets": [ + "Centers for Academic Re-entry and Empowerment (CARE) serve students in foster care, experiencing homelessness, or with high truancy rates.", + "Offers a unique one-room schoolhouse model with both General and Special Education Teachers.", + "Partnership with YMCA and community organizations enriches student advisory and support services.", + "Flexible enrollment options with individualized transition plans catering to each student's needs and family circumstances.", + "Emphasizes a personalized intake and safety assessment process to tailor services to student and family needs." + ], + "programs": [ + { + "name": "School Day Academic Enrichment", + "description": "Offers essential academic instructions including English Language Arts, Science, Math, Social Studies, Health, and P.E. across middle and high school levels, supplemented by electives." + }, + { + "name": "Academic Counseling and Support", + "description": "Includes 1:1 student Chromebooks, in-school tutoring, and dedicated academic counseling to support student learning and achievement." + }, + { + "name": "Arts Enrichment", + "description": "Provides art classes and home economics like cooking to nurture creativity and practical skills." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including counselor services, family liaisons, and social workers to ensure holistic student and family care." + }, + { + "name": "YMCA Community Integration", + "description": "Enhances learning experiences with regular field trips and coordinated resources and referrals for families within the community." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/County%20Satellite%20Logo_1.jpeg", + "logoAltText": "C.A.R.E. Middle School Logo", + "filePath": "care-middle-school.jpeg" + } + }, + { + "schoolStub": "cesar-chavez-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/cesar-chavez-elementary-school", + "schoolLabel": "César Chávez Elementary School", + "image": null, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Mission", + "principal": "Lindsay Dowdle", + "locations": ["825 Shotwell Street, San Francisco, California 94110"], + "phone": "415-695-5765", + "geolocations": [ + { + "addressString": "825 Shotwell St, San Francisco, CA 94110-3212, United States", + "addressDetails": { + "Label": "825 Shotwell St, San Francisco, CA 94110-3212, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-3212", + "Street": "Shotwell St", + "StreetComponents": [ + { + "BaseName": "Shotwell", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "825" + }, + "geo": [-122.41531, 37.75516], + "geoBounds": [-122.41645, 37.75426, -122.41417, 37.75606] + } + ], + "enrollment": "440", + "schoolCode": "603", + "ytLinks": [ + "https://www.youtube.com/embed/nZXIwsOfQm4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["nZXIwsOfQm4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "César Chávez Elementary School in the heart of the Mission District is devoted to empowering students through biliteracy, academic excellence, and a nurturing community atmosphere, all driven by a ¡sí se puede! philosophy.", + "bullets": [ + "Focus on biliteracy with a comprehensive Spanish program from Kindergarten through 5th grade.", + "Strong commitment to diversity, excellence, and personal growth across academic and social domains.", + "Rich partnerships with community organizations like Boys and Girls Club, Mission Girls, and more.", + "Comprehensive arts enrichment including dance, visual arts, and music integrated within the curriculum.", + "Dedicated staff providing individualized support tailored to meet each student's unique needs." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Includes supervised recess from 8:15-8:35 a.m. and the Jamestown Phoenix Risers from 7:00-8:30 a.m., which is fee-based." + }, + { + "name": "After School Programs", + "description": "The Jamestown/ExCEL program offers free homework assistance, academic support, recreational, and enrichment activities from 3-6 p.m. Partnerships include the Boys & Girls Club and the Jamestown Beacon program." + }, + { + "name": "Spanish Biliteracy Program", + "description": "A K-5 program aimed at producing fully biliterate/bicultural students with strong self-identity and pride by the end of 5th grade." + }, + { + "name": "Special Education Programs", + "description": "Features include a Resource Specialist Program and separate class services for Deaf and Hard of Hearing students." + }, + { + "name": "Academic Enrichment", + "description": "Includes the Mission Science Workshop program and arts enrichment programs encompassing dance, instrumental music, and visual arts." + }, + { + "name": "Student Support Programs", + "description": "Offers family liaisons, on-site nurse, social worker, student adviser, and therapist support." + } + ] + } + }, + { + "schoolStub": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao", + "schoolUrl": "https://www.sfusd.edu/school/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao", + "schoolLabel": "Chinese Immersion School at De Avila 中文沈浸學校", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/11_0.jpg?itok=NIpKN6SY", + "width": "320", + "height": "229", + "filePath": "public/school_img/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Haight Ashbury", + "principal": "Mia Yee", + "locations": ["1250 Waller Street, San Francisco, California 94117"], + "phone": "415-241-6325", + "geolocations": [ + { + "addressString": "1250 Waller St, San Francisco, CA 94117-2919, United States", + "addressDetails": { + "Label": "1250 Waller St, San Francisco, CA 94117-2919, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Haight", + "PostalCode": "94117-2919", + "Street": "Waller St", + "StreetComponents": [ + { + "BaseName": "Waller", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1250" + }, + "geo": [-122.44428, 37.76958], + "geoBounds": [-122.44542, 37.76868, -122.44314, 37.77048] + } + ], + "enrollment": "407", + "schoolCode": "509", + "ytLinks": [ + "https://www.youtube.com/embed/DizmdHZUfrk?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["DizmdHZUfrk"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "The Chinese Immersion School at De Avila offers a dual language immersion program in Cantonese and English for grades K-5, fostering a nurturing environment that emphasizes the holistic development of students into globally responsible citizens.", + "bullets": [ + "Dual language immersion in Cantonese and English for comprehensive language development.", + "Caring and nurturing environment focused on the whole child's development.", + "Award-winning arts programs with opportunities in ceramics, music, dance, and visual arts.", + "Robust support services including a dedicated resource specialist and English literacy intervention.", + "Extensive before and after school care offered through partnership with Buchanan YMCA." + ], + "programs": [ + { + "name": "Cantonese Dual Language Immersion", + "description": "An academic program providing students with the opportunity to learn both Cantonese and English fluently, preparing them for a multilingual future." + }, + { + "name": "Before and After School Programs", + "description": "Offered in collaboration with Buchanan YMCA, these programs ensure supervised care and enrichment activities for students outside regular school hours." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services that cater to students with additional learning needs to help them achieve academic success." + }, + { + "name": "Computer Lab and Computer Carts", + "description": "Technology resources that enhance learning through digital literacy and computer-based projects." + }, + { + "name": "Arts Enrichment Programs", + "description": "Comprehensive arts education including ceramics, choir, drumming, instrumental music, dance, drama, and visual arts, recognized by the California Department of Education with an Exemplary Arts Award." + }, + { + "name": "School Accountability and Climate Reports", + "description": "Annual reports and assessments provide transparency and insights into school performance and culture, available in multiple languages for accessibility." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/cislogo.png", + "logoAltText": "CIS at De Avila Logo", + "filePath": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png" + } + }, + { + "schoolStub": "civic-center-secondary-school", + "schoolUrl": "https://www.sfusd.edu/school/civic-center-secondary-school", + "schoolLabel": "Civic Center Secondary School", + "image": null, + "gradesLabel": "Middle School, County School", + "gradeCodes": ["7-12"], + "neighborhood": "Downtown/Civic Center", + "principal": "Angelina Gonzalez", + "locations": ["727 Golden Gate Avenue, San Francisco, California 94102"], + "phone": "415-241-3000", + "geolocations": [ + { + "addressString": "727 Golden Gate Ave, San Francisco, CA 94102-3101, United States", + "addressDetails": { + "Label": "727 Golden Gate Ave, San Francisco, CA 94102-3101, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Civic Center", + "PostalCode": "94102-3101", + "Street": "Golden Gate Ave", + "StreetComponents": [ + { + "BaseName": "Golden Gate", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "727" + }, + "geo": [-122.42294, 37.7803], + "geoBounds": [-122.42408, 37.7794, -122.4218, 37.7812] + } + ], + "enrollment": "60", + "schoolCode": "483", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Civic Center Secondary School is a supportive community aimed at providing educational services for at-risk students in grades 7-12, fostering an inclusive, safe, and caring learning environment.", + "bullets": [ + "Serves students assigned due to expulsion, juvenile probation, foster care, or behavioral interventions, breaking the pipeline to prison.", + "Focuses on creating a trauma-sensitive environment with small classroom cohorts and multi-disciplinary teaching teams.", + "Provides support for job readiness, substance use awareness, and individual case management with community partners.", + "Promotes educational success by fostering a caring and inclusive environment that addresses the needs of underrepresented students." + ], + "programs": [ + { + "name": "School Plan for Student Achievement (SPSA)", + "description": "A program where school communities review data and past actions twice a year to strategically plan for future success, incorporating stakeholder engagement." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Civic%20Center%20Logo.png", + "logoAltText": "Civic Center Secondary School Logo", + "filePath": "civic-center-secondary-school.png" + } + }, + { + "schoolStub": "claire-lilienthal-alternative-school-k-2-madison-campus", + "schoolUrl": "https://www.sfusd.edu/school/claire-lilienthal-alternative-school-k-2-madison-campus", + "schoolLabel": "Claire Lilienthal Alternative School (K-2 Madison Campus)", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2020-11/Madison.png?itok=EvOwIAMF", + "width": "320", + "height": "240", + "filePath": "public/school_img/claire-lilienthal-alternative-school-k-2-madison-campus.png" + }, + "gradesLabel": "Elementary School, K-8 School", + "gradeCodes": ["K", "1-2"], + "neighborhood": "Inner Richmond", + "principal": "Molly Pope", + "locations": ["3950 Sacramento Street, San Francisco, California 94118"], + "phone": "415-750-8603", + "geolocations": [ + { + "addressString": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "addressDetails": { + "Label": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Presidio Heights", + "PostalCode": "94118-1628", + "Street": "Sacramento St", + "StreetComponents": [ + { + "BaseName": "Sacramento", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3950" + }, + "geo": [-122.45779, 37.78697], + "geoBounds": [-122.45893, 37.78607, -122.45665, 37.78787] + } + ], + "enrollment": "705", + "schoolCode": "479", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Claire Lilienthal is a California Distinguished School committed to fostering academic excellence, cultural diversity, and social inclusion while nurturing each student's potential.", + "bullets": [ + "Dedicated to equity, academic excellence, and strong parent partnerships.", + "Offers comprehensive programs like Readers and Writers Workshop, Project-Based Learning, and Social-Emotional Learning.", + "Unique Korean Dual Language Immersion Program, the only one in Northern California.", + "Extensive arts integration in collaboration with SFArtsEd to deliver a rich arts education.", + "Outdoor Education trips and a flourishing garden program enrich students' learning experiences." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes activities such as Tae Kwon Do, chess club, drama club, Spanish club, and other special interest clubs for grades K-2 at Sacramento campus and grades 3-8 at Winfield Scott Campus. Includes partnerships with YMCA and CLLA." + }, + { + "name": "Korean Dual Language Immersion", + "description": "A unique program that provides rigorous instruction in Korean language and culture, standing as the only Korean Immersion program in Northern California." + }, + { + "name": "Special Education Programs", + "description": "Includes the Resource Specialist Program Services and separate classes for Deaf and Hard of Hearing students with special acoustical facility modifications." + }, + { + "name": "Arts Enrichment", + "description": "Features a wide array of artistic opportunities including arts residency, ceramics, gardening, performing arts, theater, visual arts, writing, and poetry, in concert with the SFArtsEd Project." + }, + { + "name": "Student Support Programs", + "description": "Offers support services such as a social worker and English literacy interventionists to assist students' academic and social-emotional growth." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/CDfg0Jv3_400x400_0.jpg", + "logoAltText": "Claire Lilienthal (K-2 Campus) Logo", + "filePath": "claire-lilienthal-alternative-school-k-2-madison-campus.jpg" + } + }, + { + "schoolStub": "claire-lilienthal-alternative-school-k-8", + "schoolUrl": "https://www.sfusd.edu/school/claire-lilienthal-alternative-school-k-8", + "schoolLabel": "Claire Lilienthal Alternative School K-8", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/CL%27s%20New%20MS%20Building_0.jpg?itok=5aKlDpCx", + "width": "320", + "height": "205", + "filePath": "public/school_img/claire-lilienthal-alternative-school-k-8.jpg" + }, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["K", "1-8"], + "neighborhood": "Marina", + "principal": "Molly Pope", + "locations": [ + "3630 Divisadero Street, San Francisco, California, 94123", + "3950 Sacramento Street, San Francisco, California, 94118" + ], + "phone": "415-749-3516", + "geolocations": [ + { + "addressString": "3630 Divisadero St, San Francisco, CA 94123-1411, United States", + "addressDetails": { + "Label": "3630 Divisadero St, San Francisco, CA 94123-1411, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Marina", + "PostalCode": "94123-1411", + "Street": "Divisadero St", + "StreetComponents": [ + { + "BaseName": "Divisadero", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3630" + }, + "geo": [-122.4429, 37.80332], + "geoBounds": [-122.44404, 37.80242, -122.44176, 37.80422] + }, + { + "addressString": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "addressDetails": { + "Label": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Presidio Heights", + "PostalCode": "94118-1628", + "Street": "Sacramento St", + "StreetComponents": [ + { + "BaseName": "Sacramento", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3950" + }, + "geo": [-122.45779, 37.78697], + "geoBounds": [-122.45893, 37.78607, -122.45665, 37.78787] + } + ], + "enrollment": "637", + "schoolCode": "479", + "ytLinks": [ + "https://www.youtube.com/embed/OXsA--l37H8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["OXsA--l37H8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Claire Lilienthal School is a vibrant community-focused institution dedicated to high academic standards and inclusive education for all students.", + "bullets": [ + "Strong emphasis on community collaboration with active involvement from students, families, and staff.", + "Unique diversity with equal access to quality education, including the city's only Korean Immersion Program.", + "A comprehensive curriculum aligned with California Content and Performance Standards, fostering academic excellence.", + "Rich array of enrichment programs including arts, athletics, and technology, designed to support holistic child development.", + "Robust student support services ensuring a nurturing and inclusive environment for all learners." + ], + "programs": [ + { + "name": "Korean Dual Language Immersion", + "description": "An innovative language program offering bilingual education and cultural understanding through immersive Korean language classes." + }, + { + "name": "Special Education Inclusion Program", + "description": "A supportive program designed to integrate students with special needs into general education settings with tailored resources and expertise." + }, + { + "name": "Claire Lilienthal After-School Program (CLASP)", + "description": "An engaging after-school program for grades K-2 offering various activities to complement daytime learning." + }, + { + "name": "YMCA Claire Lilienthal Learning Academy (CLLA)", + "description": "A YMCA partnership providing comprehensive after-school care and enrichment programs." + }, + { + "name": "Arts Enrichment", + "description": "Diverse arts programs including visual and performing arts, coding, ceramics, and more to cultivate creativity and expression." + }, + { + "name": "Student Support Programs", + "description": "A range of support services including health and wellness centers, mentoring, and on-site professionals to ensure comprehensive student care." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/CDfg0Jv3_400x400.jpg", + "logoAltText": "Claire Lilienthal Alternative School K-8 Logo", + "filePath": "claire-lilienthal-alternative-school-k-8.jpg" + } + }, + { + "schoolStub": "clarendon-alternative-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/clarendon-alternative-elementary-school", + "schoolLabel": "Clarendon Alternative Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/clarendon.jpg?itok=G0QPV-oC", + "width": "320", + "height": "215", + "filePath": "public/school_img/clarendon-alternative-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Twin Peaks", + "principal": "Carrie Maloney", + "locations": ["500 Clarendon Avenue", "San Francisco, California 94131"], + "phone": "415-759-2796", + "geolocations": [ + { + "addressString": "500 Clarendon Ave, San Francisco, CA 94131-1113, United States", + "addressDetails": { + "Label": "500 Clarendon Ave, San Francisco, CA 94131-1113, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Forest Knolls", + "PostalCode": "94131-1113", + "Street": "Clarendon Ave", + "StreetComponents": [ + { + "BaseName": "Clarendon", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "500" + }, + "geo": [-122.45611, 37.75354], + "geoBounds": [-122.45725, 37.75264, -122.45497, 37.75444] + }, + { + "addressString": "94131, San Francisco, CA, United States", + "addressDetails": { + "Label": "94131, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94131" + }, + "geo": [-122.43099, 37.73841], + "geoBounds": [-122.46382, 37.72828, -122.42416, 37.76068] + } + ], + "enrollment": "535", + "schoolCode": "478", + "ytLinks": [ + "https://www.youtube.com/embed/m_91VeRgsQM?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["m_91VeRgsQM"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Clarendon is dedicated to fostering high-achieving and joyful learners through its diverse educational programs and strong community involvement.", + "bullets": [ + "High level of parent participation enhancing the school community.", + "Comprehensive enrichment programs including fine arts, music, computer, and physical education.", + "Strong emphasis on respect and responsibility throughout the school.", + "Safe and secure environment welcoming all families as partners in education.", + "Engagement in thematic lessons promoting critical thinking and interaction." + ], + "programs": [ + { + "name": "Second Community Program", + "description": "A program dedicated to providing a quality educational experience focusing on respect, responsibility, and high academic standards." + }, + { + "name": "Japanese Bilingual Bicultural Program", + "description": "A program offering bilingual education and cultural immersion in Japanese language and culture." + }, + { + "name": "Japanese Foreign Language in Elementary School (FLES) Program", + "description": "A language program aimed at elementary school students to learn Japanese as a foreign language." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services tailored for students requiring additional learning support." + }, + { + "name": "Special Day Class - Mild/Moderate", + "description": "A special education program designed for students with mild to moderate learning disabilities." + }, + { + "name": "A Living Library", + "description": "An academic enrichment program focusing on integrating hands-on learning with environmental and social responsibility." + }, + { + "name": "STEAM Program", + "description": "An interdisciplinary academic program that combines science, technology, engineering, arts, and mathematics to promote innovative learning." + }, + { + "name": "Arts Enrichment", + "description": "Diverse arts programs including visual arts, performing arts, and music to cultivate creativity and artistic skills." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services including access to a nurse, mentoring, and social work to address various student needs." + } + ] + } + }, + { + "schoolStub": "cleveland-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/cleveland-elementary-school", + "schoolLabel": "Cleveland Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/cleveland.jpg?itok=lk97-Ubr", + "width": "320", + "height": "182", + "filePath": "public/school_img/cleveland-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Excelsior", + "principal": "Marlon Escobar", + "locations": ["455 Athens Street, San Francisco, California 94112"], + "phone": "415-469-4709", + "geolocations": [ + { + "addressString": "455 Athens St, San Francisco, CA 94112-2801, United States", + "addressDetails": { + "Label": "455 Athens St, San Francisco, CA 94112-2801, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Excelsior", + "PostalCode": "94112-2801", + "Street": "Athens St", + "StreetComponents": [ + { + "BaseName": "Athens", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "455" + }, + "geo": [-122.42896, 37.72062], + "geoBounds": [-122.4301, 37.71972, -122.42782, 37.72152] + } + ], + "enrollment": "390", + "schoolCode": "481", + "ytLinks": [ + "https://www.youtube.com/embed/E4ZkMxI6Xb0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["E4ZkMxI6Xb0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Located in the vibrant Excelsior District of San Francisco, Cleveland School is dedicated to fostering an inclusive and collaborative learning environment that empowers students to become active, respectful, and responsible citizens.", + "bullets": [ + "Rich language programs including a Spanish Bilingual Program enhancing biliteracy.", + "Committed to differentiated instruction to cater to diverse learning needs.", + "Strong community collaboration with involvement in school decision-making and event planning.", + "A variety of cultural celebrations that promote inclusivity and community bonding.", + "Comprehensive after-school programs that provide enrichment and support." + ], + "programs": [ + { + "name": "Spanish Biliteracy Program", + "description": "A comprehensive program designed to enhance biliteracy in Spanish, fostering language skills and cultural understanding for students." + }, + { + "name": "Resource Specialist Program", + "description": "Specialized education services aimed at supporting students with diverse learning needs through tailored resources and interventions." + }, + { + "name": "Mission Graduates After School Program", + "description": "An affordable after-school program providing academic support and enrichment activities for grades K-5, available Monday to Friday until 6:30 pm." + }, + { + "name": "Arts Enrichment", + "description": "Opportunities for students to engage in instrumental music, vocal performing arts, and work with Artists in Residence to expand their artistic talents." + }, + { + "name": "Mission Science Workshop Program", + "description": "Hands-on science workshops that inspire curiosity and provide practical learning experiences outside the traditional classroom setting." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ClevelandPeaceSign_2.png", + "logoAltText": "Cleveland Elementary School Logo", + "filePath": "cleveland-elementary-school.png" + } + }, + { + "schoolStub": "commodore-sloat-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/commodore-sloat-elementary-school", + "schoolLabel": "Commodore Sloat Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/sloat.jpg?itok=-KC3dkxo", + "width": "320", + "height": "311", + "filePath": "public/school_img/commodore-sloat-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Lakeside", + "principal": "Fowzigiah Abdolcader", + "locations": ["50 Darien Way, San Francisco, California 94127"], + "phone": "415-759-2807", + "geolocations": [ + { + "addressString": "50 Darien Way, San Francisco, CA 94127-1902, United States", + "addressDetails": { + "Label": "50 Darien Way, San Francisco, CA 94127-1902, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Balboa Terrace", + "PostalCode": "94127-1902", + "Street": "Darien Way", + "StreetComponents": [ + { + "BaseName": "Darien", + "Type": "Way", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "50" + }, + "geo": [-122.47093, 37.73173], + "geoBounds": [-122.47207, 37.73083, -122.46979, 37.73263] + } + ], + "enrollment": "400", + "schoolCode": "488", + "ytLinks": [ + "https://www.youtube.com/embed/_OF_YsVLn0g?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["_OF_YsVLn0g"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Commodore Sloat School is a high-performing institution committed to developing creative and critical thinkers who excel academically and thrive in a rapidly-changing world.", + "bullets": [ + "Experienced staff dedicated to fostering higher levels of academic performance and critical thinking.", + "Comprehensive curriculum that integrates arts, music, and gardening to enhance learning and retention.", + "Focus on teaching ethical decision-making, evidence-based conclusions, and civic engagement.", + "Robust array of after-school programs provided by the YMCA, ensuring a supportive environment beyond school hours.", + "Commitment to nurturing 21st-century critical thinkers with a focus on social-emotional learning and school community involvement." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Onsite before-school care provided by Stonestown YMCA from 7:00 to 8:40 a.m. with districtwide program information available." + }, + { + "name": "After School Programs", + "description": "After-school care provided by YMCA from dismissal until 6:00 p.m., including a variety of enrichment activities." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services offering tailored support during school hours." + }, + { + "name": "Academic Enrichment", + "description": "Features computer carts, computer labs, and various artistic and scientific programs to enhance educational engagement." + }, + { + "name": "Arts Enrichment", + "description": "Includes arts residency, choir, gardening, theater, visual arts, poetry, music program, and chorus activities for different grade levels." + }, + { + "name": "Student Support Programs", + "description": "Includes access to social workers and various support services to enhance student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202021-10-13%20at%205.48.50%20PM.png", + "logoAltText": "Commodore Sloat Elementary School Logo", + "filePath": "commodore-sloat-elementary-school.png" + } + }, + { + "schoolStub": "commodore-stockton-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/commodore-stockton-early-education-school", + "schoolLabel": "Commodore Stockton Early Education School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_20200910_133810.jpg?itok=KOlxPE3h", + "width": "320", + "height": "240", + "filePath": "public/school_img/commodore-stockton-early-education-school.jpg" + }, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Chinatown", + "principal": "Jenny Yu", + "locations": ["1 Trenton Street, San Francisco, California 94108"], + "phone": "415-291-7932", + "geolocations": [ + { + "addressString": "1 Trenton St, San Francisco, CA 94108-1112, United States", + "addressDetails": { + "Label": "1 Trenton St, San Francisco, CA 94108-1112, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Chinatown", + "PostalCode": "94108-1112", + "Street": "Trenton St", + "StreetComponents": [ + { + "BaseName": "Trenton", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1" + }, + "geo": [-122.40908, 37.79508], + "geoBounds": [-122.41022, 37.79418, -122.40794, 37.79598] + } + ], + "enrollment": "334", + "schoolCode": "915", + "ytLinks": [ + "https://www.youtube.com/embed/kBZWGxvACW8?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/kBZWGxvACW8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["kBZWGxvACW8", "kBZWGxvACW8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Commodore Stockton School, nestled in the vibrant Chinatown neighborhood, is dedicated to fostering a nurturing and inclusive environment where students from preschool to grade five thrive academically and socially.", + "bullets": [ + "Located in the heart of Chinatown, offering a rich cultural backdrop for learning.", + "Provides year-round preschool and transitional kindergarten (TK) classrooms.", + "Features an Out-of-School Time (OST) program with after school and full-day services during breaks.", + "Commits to culturally relevant, inclusive education with a multilingual staff.", + "Strong emphasis on parental involvement as crucial to student success." + ], + "programs": [ + { + "name": "Out-of-School Time (OST) Program", + "description": "Offers after school enrichment classes for TK-5th graders from dismissal until 5:45pm and full-day services during spring and summer breaks." + }, + { + "name": "Cantonese Dual Language Learner Program", + "description": "Provides a dual language immersion experience in Cantonese for pre-kindergarten students, integrating language learning with cultural exposure." + }, + { + "name": "Academic Enrichment Program", + "description": "Engages students in project-based learning focused on STEAM (Science, Technology, Engineering, Arts, Mathematics) and includes initiatives like Tandem Partners in Reading." + }, + { + "name": "Arts Enrichment Program", + "description": "Diverse offerings in dance, gardening, and visual & performing arts (VAPA), fostering creativity and artistic expression." + }, + { + "name": "Family Support Program", + "description": "Comprehensive support including access to a mental health consultant, family support specialist, and PBIS Coach, enhancing student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Commodore%20Stockton%20Early%20Education%20School%20LOGO.png", + "logoAltText": "Commodore Stockton Early Education School Logo", + "filePath": "commodore-stockton-early-education-school.png" + } + }, + { + "schoolStub": "daniel-webster-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/daniel-webster-elementary-school", + "schoolLabel": "Daniel Webster Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2022-04/Screen%20Shot%202022-04-04%20at%2010.36.12%20AM.png?itok=iMejsmrP", + "width": "320", + "height": "186", + "filePath": "public/school_img/daniel-webster-elementary-school.png" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Potrero Hill", + "principal": "Anita Parameswaran", + "locations": ["465 Missouri Street, San Francisco, California 94107"], + "phone": "415-695-5787", + "geolocations": [ + { + "addressString": "465 Missouri St, San Francisco, CA 94107-2826, United States", + "addressDetails": { + "Label": "465 Missouri St, San Francisco, CA 94107-2826, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Potrero", + "PostalCode": "94107-2826", + "Street": "Missouri St", + "StreetComponents": [ + { + "BaseName": "Missouri", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "465" + }, + "geo": [-122.39584, 37.76052], + "geoBounds": [-122.39698, 37.75962, -122.3947, 37.76142] + } + ], + "enrollment": "370", + "schoolCode": "497", + "ytLinks": [ + "https://www.youtube.com/embed/hUrEWxGxJdw?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["hUrEWxGxJdw"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Daniel Webster Elementary School is a vibrant and diverse community dedicated to fostering a multicultural environment and equitable education through both General Education and Spanish Dual-Immersion programs, aiming to involve families and the community in holistic student development.", + "bullets": [ + "Small, intimate school with a focus on multicultural inclusivity and equity.", + "Offers both General Education and Spanish Dual-Immersion strands.", + "Strong parent involvement and community-led initiatives enhance educational programs.", + "Comprehensive arts integration across curriculum, including visual arts, music, dance, and theater.", + "Commitment to students' social-emotional development with programs like RTI, PBIS, and Restorative Practices." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Includes a Breakfast Only program from 7:30am to 7:50am." + }, + { + "name": "After School Programs", + "description": "EXCEL/After-School Enrichment Program offering classes in Afro/Brazilian Dance, digital sound arts, Tree Frog treks, art, theatre arts, and more, from 2:40 to 6:00 p.m., Monday through Friday." + }, + { + "name": "SFUSD Early Education Department Out of School Time Program", + "description": "Program for K-5th grade students from 2:30 to 6:00 p.m., and 8 a.m. to 6 p.m. during Spring Break & Summer." + }, + { + "name": "Language Programs", + "description": "Spanish Dual Language Immersion for bilingual education." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services for students requiring additional support." + }, + { + "name": "Integrated Arts Curriculum", + "description": "Offers a well-rounded arts experience in dance, art, and music." + }, + { + "name": "Student Support Programs", + "description": "Includes family liaison, mentoring, on-site nurse, social worker, student adviser, and therapist services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/dw%20logo.png", + "logoAltText": "Daniel Webster Elementary School Logo", + "filePath": "daniel-webster-elementary-school.png" + } + }, + { + "schoolStub": "dianne-feinstein-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/dianne-feinstein-elementary-school", + "schoolLabel": "Dianne Feinstein Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/feinstein.jpg?itok=jtAAAnu-", + "width": "320", + "height": "411", + "filePath": "public/school_img/dianne-feinstein-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Parkside/Sunset", + "principal": "Christina Jung", + "locations": ["2550 25th Avenue, San Francisco, California 94116"], + "phone": "415-615-8460", + "geolocations": [ + { + "addressString": "2550 25th Ave, San Francisco, CA 94116-2901, United States", + "addressDetails": { + "Label": "2550 25th Ave, San Francisco, CA 94116-2901, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Sunset", + "PostalCode": "94116-2901", + "Street": "25th Ave", + "StreetComponents": [ + { + "BaseName": "25th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2550" + }, + "geo": [-122.48176, 37.73962], + "geoBounds": [-122.4829, 37.73872, -122.48062, 37.74052] + } + ], + "enrollment": "407", + "schoolCode": "539", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Dianne Feinstein School is dedicated to fostering a dynamic learning environment, empowering students through a well-rounded education that encourages independence and community interaction, grounded in integrity and respect.", + "bullets": [ + "Dynamic, well-rounded education for all students.", + "Strong focus on community involvement and open communication.", + "A variety of cultural and enrichment programs including UMOJA cultural celebrations.", + "Partnership with Lincoln High School Teacher Academy for volunteer support.", + "Comprehensive support services including health and wellness center and on-site social worker." + ], + "programs": [ + { + "name": "UMOJA Cultural Diversity Celebration", + "description": "A program celebrating cultural diversity to promote an inclusive and anti-racist school environment." + }, + { + "name": "Partnership with Lincoln High School Teacher Academy", + "description": "Allows high school students to volunteer at the school while earning credits, fostering community connections and support." + }, + { + "name": "Stonestown YMCA After School Program", + "description": "Onsite fee-based program offering a blend of academic time, play, and enrichment courses such as music and drama." + }, + { + "name": "Russian Heritage Program", + "description": "A cultural enrichment program to promote understanding and appreciation of Russian heritage." + }, + { + "name": "Mandarin Language Program", + "description": "Language program designed to teach and enrich students in Mandarin, offered districtwide before and after school." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services focused on providing support for students with diverse learning needs." + }, + { + "name": "SOAR Program", + "description": "A program formerly known as ED, focusing on success, opportunity, achievement, and resilience for students." + }, + { + "name": "Arts Enrichment", + "description": "Involves various artistic activities including Artists in Residence, to encourage creative expression among students." + }, + { + "name": "Gardening Program", + "description": "Outdoor education program that teaches students about gardening and the environment." + }, + { + "name": "Student Support Programs", + "description": "Offers a variety of support services including a health and wellness center, mentoring, and access to a social worker and speech pathologist." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/LionLogo_0.jpeg", + "logoAltText": "Dianne Feinstein Elementary School Logo", + "filePath": "dianne-feinstein-elementary-school.jpeg" + } + }, + { + "schoolStub": "dolores-huerta-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/dolores-huerta-elementary-school", + "schoolLabel": "Dolores Huerta Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2019-10/%5BHuer%5DDolores%20Huerta%20Mural.jpg?itok=a7cMqbnn", + "width": "320", + "height": "326", + "filePath": "public/school_img/dolores-huerta-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Glen Park", + "principal": "Edward Garnica", + "locations": ["65 Chenery Street, San Francisco, California 94131"], + "phone": "415-695-5669", + "geolocations": [ + { + "addressString": "65 Chenery St, San Francisco, CA 94131-2706, United States", + "addressDetails": { + "Label": "65 Chenery St, San Francisco, CA 94131-2706, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Glen Park", + "PostalCode": "94131-2706", + "Street": "Chenery St", + "StreetComponents": [ + { + "BaseName": "Chenery", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "65" + }, + "geo": [-122.42501, 37.74045], + "geoBounds": [-122.42615, 37.73955, -122.42387, 37.74135] + } + ], + "enrollment": "395", + "schoolCode": "537", + "ytLinks": [ + "https://www.youtube.com/embed/Uvxq4VpbGeE?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["Uvxq4VpbGeE"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Dolores Huerta Elementary is dedicated to fostering high academic standards within a culturally rich environment that celebrates bilingualism and multiculturalism, preparing students to thrive in a global society.", + "bullets": [ + "Collaborative educators delivering a rigorous, standards-based curriculum.", + "Commitment to social justice and equity, providing tailored support to all students.", + "Emphasis on bilingualism and multiculturalism as essential 21st-century skills.", + "Comprehensive extracurricular activities enhancing adventurous learning.", + "Strong partnership with Mission YMCA offering extended learning and enrichment." + ], + "programs": [ + { + "name": "Before School Program - YMCA", + "description": "A fee-based program offering early drop-off with various activities from 7:00 to 8:15 a.m. in collaboration with YMCA." + }, + { + "name": "After School Program - YMCA", + "description": "A blended fee-based/ExCEL afterschool program providing homework assistance and diverse enrichment activities from 2:40 to 6:00 p.m." + }, + { + "name": "Spanish Dual Language Immersion", + "description": "A program that offers students the opportunity to learn in both English and Spanish, promoting bilingualism and biliteracy." + }, + { + "name": "Spanish Dual Language Learner Pre-Kindergarten", + "description": "An early childhood education program emphasizing bilingual learning for pre-kindergarten students." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes for moderate to severe needs in K-5." + }, + { + "name": "Arts Enrichment Program", + "description": "Offers drama, instrumental music, and visual arts with residency consultants, promoting creativity through performing and visual arts." + } + ] + } + }, + { + "schoolStub": "downtown-high-school", + "schoolUrl": "https://www.sfusd.edu/school/downtown-high-school", + "schoolLabel": "Downtown High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/downtown.jpg?itok=Sg5J0Qp3", + "width": "320", + "height": "149", + "filePath": "public/school_img/downtown-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["11-12"], + "neighborhood": "Potrero Hill", + "principal": "Todd Williams", + "locations": ["693 Vermont Street, San Francisco, California 94107"], + "phone": "415-695-5860", + "geolocations": [ + { + "addressString": "693 Vermont St, San Francisco, CA 94107-2635, United States", + "addressDetails": { + "Label": "693 Vermont St, San Francisco, CA 94107-2635, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Potrero", + "PostalCode": "94107-2635", + "Street": "Vermont St", + "StreetComponents": [ + { + "BaseName": "Vermont", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "693" + }, + "geo": [-122.40397, 37.76135], + "geoBounds": [-122.40511, 37.76045, -122.40283, 37.76225] + } + ], + "schoolCode": "742", + "ytLinks": [ + "https://www.youtube.com/embed/mNbK8gwVg5w?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/VgI5wf9JqqU?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["mNbK8gwVg5w", "VgI5wf9JqqU"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Downtown High School provides an innovative project-based learning environment that prioritizes critical thinking and real-world preparation through a unique School-to-Career Program.", + "bullets": [ + "Focuses on project-based learning tailored to student interests and learning styles.", + "Integrates experiential learning with strong curriculum support for non-traditional learners.", + "Offers unique projects that combine academics with arts, community service, and career preparation.", + "Provides extensive student support services including counseling and health services.", + "Involves families in the educational process through mandatory conferences and communication." + ], + "programs": [ + { + "name": "Acting for Critical Transformations (ACT)", + "description": "A program designed to engage students in social issues through theatre and performance, promoting change within the community." + }, + { + "name": "Get Out and Learn (GOAL)", + "description": "An outdoor-based project encouraging students to learn through exploration and environmental engagement." + }, + { + "name": "Making, Advocating and Designing for Empowerment (MADE)", + "description": "Focuses on empowering students through design and advocacy projects that impact their communities." + }, + { + "name": "Music and Academics Resisting the System (MARS)", + "description": "Combines music education with academic resistance to systemic challenges, encouraging creative expression as activism." + }, + { + "name": "Wilderness Arts and Literacy Collaborative (WALC)", + "description": "Integrates wilderness exploration with literacy and the arts, fostering creativity and appreciation for nature." + }, + { + "name": "After School Programs", + "description": "Provides opportunities for credit recovery through online classes and weekly cooking classes." + }, + { + "name": "Arts Enrichment", + "description": "Provides a diverse range of art classes including visual arts, media arts, and performing arts to enhance student creativity." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including counselors, health services, and college readiness programs to assist student development." + }, + { + "name": "School Accountability Report Card (SARC)", + "description": "Annual reports that provide insight into student achievement and school climate in multiple languages to foster transparency." + }, + { + "name": "School Plan for Student Achievement (SPSA)", + "description": "A structured review and planning process engaging the school community in continuous improvement." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/DHS%20Logo.jpg", + "logoAltText": "Downtown Continuation High School Logo", + "filePath": "downtown-high-school.jpg" + } + }, + { + "schoolStub": "dr-charles-r-drew-college-preparatory-academy", + "schoolUrl": "https://www.sfusd.edu/school/dr-charles-r-drew-college-preparatory-academy", + "schoolLabel": "Dr. Charles R. Drew College Preparatory Academy", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/drew1.jpg?itok=5nHaZP2P", + "width": "320", + "height": "213", + "filePath": "public/school_img/dr-charles-r-drew-college-preparatory-academy.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Bayview", + "principal": "Vidrale Franklin", + "locations": ["50 Pomona Street, San Francisco, California 94124"], + "phone": "415-330-1526", + "geolocations": [ + { + "addressString": "50 Pomona St, San Francisco, CA 94124-2344, United States", + "addressDetails": { + "Label": "50 Pomona St, San Francisco, CA 94124-2344, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-2344", + "Street": "Pomona St", + "StreetComponents": [ + { + "BaseName": "Pomona", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "50" + }, + "geo": [-122.39367, 37.73175], + "geoBounds": [-122.39481, 37.73085, -122.39253, 37.73265] + } + ], + "enrollment": "160", + "schoolCode": "507", + "ytLinks": [ + "https://www.youtube.com/embed/uJoPgrg2fqI?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/Ob9FaIA7WfY?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/MAjo0mhvhMg?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/uJoPgrg2fqI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["uJoPgrg2fqI", "Ob9FaIA7WfY", "MAjo0mhvhMg", "uJoPgrg2fqI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Dr. Charles R. Drew College Preparatory Academy nurtures student potential through a dedicated staff and a focus on creativity, social, and emotional development, ensuring a vibrant learning environment.", + "bullets": [ + "Committed to academic and personal development of every student.", + "Staff has over 100 years of collective teaching experience.", + "Offers a range of enrichment and support programs.", + "All teachers meet California's 'Highly Qualified' criteria.", + "Provides annual accountability and climate reports in multiple languages." + ], + "programs": [ + { + "name": "PreKindergarten Program", + "description": "Catered to children aged 2 years and 9 months to 5 years old, focusing on early childhood education and development." + }, + { + "name": "After School Programs", + "description": "Includes on-site programs through Urban Services YMCA and off-site options with the Boys & Girls Club of San Francisco." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features resources such as computer carts, a computer lab with a technology teacher, and tutoring support to enhance academic learning." + }, + { + "name": "Arts Enrichment", + "description": "Covers diverse programs including cooking, gardening, and collaboration with local arts groups like Nagata Dance Group and Zacco Dance Group." + }, + { + "name": "Student Support Programs", + "description": "Encompasses a health and wellness center and offers resources to support students' social-emotional learning." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/eagle-24601_960_720.png", + "logoAltText": "Dr. Charles R. Drew College Preparatory Academy Logo", + "filePath": "dr-charles-r-drew-college-preparatory-academy.png" + } + }, + { + "schoolStub": "dr-george-washington-carver-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/dr-george-washington-carver-elementary-school", + "schoolLabel": "Dr. George Washington Carver Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Carver%20ES.jpg?itok=oneBq8Pq", + "width": "320", + "height": "190", + "filePath": "public/school_img/dr-george-washington-carver-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Bayview", + "principal": "Makaela Manning", + "locations": ["1360 Oakdale Avenue, San Francisco, California 94124"], + "phone": "415-330-1540", + "geolocations": [ + { + "addressString": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "addressDetails": { + "Label": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-2724", + "Street": "Oakdale Ave", + "StreetComponents": [ + { + "BaseName": "Oakdale", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1360" + }, + "geo": [-122.38563, 37.7319], + "geoBounds": [-122.38677, 37.731, -122.38449, 37.7328] + } + ], + "enrollment": "170", + "schoolCode": "625", + "ytLinks": [ + "https://www.youtube.com/embed/jMgVeF3qckc?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/jMgVeF3qckc?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["jMgVeF3qckc", "jMgVeF3qckc"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Carver Elementary School is a dedicated learning institution in the Bayview-Hunter's Point community, committed to providing personalized and rigorous education centered on literacy to develop future readers, leaders, and scholars.", + "bullets": [ + "Compassionate and dedicated staff committed to each student's academic and personal success.", + "Offers a variety of enrichment opportunities, including hands-on science and creative arts programs.", + "Strong focus on literacy as a foundation for rigorous education and leadership development.", + "Partnership with the Boys & Girls Clubs to offer a comprehensive after-school program.", + "Award-winning school with a history of maintaining high standards of excellence." + ], + "programs": [ + { + "name": "After School Programs", + "description": "A Beacon Program in partnership with the Boys & Girls Clubs of San Francisco offering enrichment activities, physical fitness, tutoring, homework support, and more to support student development and success." + }, + { + "name": "Special Education Programs", + "description": "Includes the Resource Specialist Program Services designed to support students with special needs during the school day through targeted academic enrichment and personalized support." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive music program and Visual and Performing Arts (VAPA) curriculum for grade 4-5 to enhance artistic skills and expression." + }, + { + "name": "Student Support Programs", + "description": "Provides access to on-site health and wellness resources including a nurse, mentoring, family liaison, student advisor, and therapist to support student well-being and academic success." + }, + { + "name": "School Accountability and Improvement", + "description": "Annual review and planning process for intentionally improving school achievement and stakeholder engagement, including surveys and reports in multiple languages for inclusivity." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/cheetah-40986_1280.png", + "logoAltText": "Dr. George Washington Carver Elementary School Logo", + "filePath": "dr-george-washington-carver-elementary-school.png" + } + }, + { + "schoolStub": "dr-martin-luther-king-jr-academic-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/dr-martin-luther-king-jr-academic-middle-school", + "schoolLabel": "Dr. Martin Luther King, Jr. Academic Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2024-09/IMG_20240919_160852.jpg?itok=Ba7N-p0u", + "width": "320", + "height": "240", + "filePath": "public/school_img/dr-martin-luther-king-jr-academic-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Portola", + "principal": "Tyson Fechter", + "locations": ["350 Girard Street, San Francisco, California 94134"], + "phone": "415-330-1500", + "geolocations": [ + { + "addressString": "350 Girard St, San Francisco, CA 94134-1469, United States", + "addressDetails": { + "Label": "350 Girard St, San Francisco, CA 94134-1469, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Portola", + "PostalCode": "94134-1469", + "Street": "Girard St", + "StreetComponents": [ + { + "BaseName": "Girard", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "350" + }, + "geo": [-122.40549, 37.72777], + "geoBounds": [-122.40663, 37.72687, -122.40435, 37.72867] + } + ], + "enrollment": "400", + "schoolCode": "710", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Dr. Martin Luther King, Jr. Academic Middle School fosters a diverse and inclusive learning environment, emphasizing scholarship, leadership, and entrepreneurship to cultivate lifelong learners.", + "bullets": [ + "Diverse and multicultural school environment attracting students from across San Francisco.", + "Equitable access to meaningful and relevant curriculum for all students.", + "Focus on developing scholarship, sportsmanship, mentorship, leadership, and entrepreneurship.", + "Comprehensive support programs including advisory, counseling, and college guidance.", + "Rich arts and athletics programs promoting holistic development of students." + ], + "programs": [ + { + "name": "Bayview YMCA Beacon Program", + "description": "A comprehensive before and after school program offering various enrichment activities from Monday to Friday." + }, + { + "name": "Language Programs - Mandarin", + "description": "Mandarin language instruction to enhance multilingual proficiency among students." + }, + { + "name": "Resource Specialist Program Services", + "description": "Specialized educational support for students with mild to moderate learning challenges." + }, + { + "name": "STEAM Program", + "description": "Interdisciplinary learning opportunities in science, technology, engineering, arts, and mathematics." + }, + { + "name": "Arts Enrichment", + "description": "A variety of visual and performing arts classes including art, dance, and band, integrated into the core curriculum." + }, + { + "name": "Athletics Program", + "description": "A wide array of sports such as baseball, basketball, flag football, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Advisory and counseling resources including AVID program, family liaison, and social worker support." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/MLK%20LOGO.jpg", + "logoAltText": "MLK Middle School Logo", + "filePath": "dr-martin-luther-king-jr-academic-middle-school.jpg" + } + }, + { + "schoolStub": "dr-william-l-cobb-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/dr-william-l-cobb-elementary-school", + "schoolLabel": "Dr. William L. Cobb Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/cobb.jpg?itok=tEaJCIWn", + "width": "320", + "height": "320", + "filePath": "public/school_img/dr-william-l-cobb-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Lower Pacific Heights, Western Addition", + "principal": "Jeri Dean", + "locations": ["2725 California Street, San Francisco, California 94115"], + "phone": "415-749-3505", + "geolocations": [ + { + "addressString": "2725 California St, San Francisco, CA 94115-2513, United States", + "addressDetails": { + "Label": "2725 California St, San Francisco, CA 94115-2513, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Lower Pacific Heights", + "PostalCode": "94115-2513", + "Street": "California St", + "StreetComponents": [ + { + "BaseName": "California", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2725" + }, + "geo": [-122.43952, 37.78803], + "geoBounds": [-122.44066, 37.78713, -122.43838, 37.78893] + } + ], + "enrollment": "180", + "schoolCode": "525", + "ytLinks": [ + "https://www.youtube.com/embed/P6PeigH6-60?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["P6PeigH6-60"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Dr. William L. Cobb Elementary School is a historic institution in San Francisco's Lower Pacific Heights, celebrated for its commitment to fostering each child's potential within a nurturing, inclusive, and creative community.", + "bullets": [ + "Small class sizes ensure personalized attention for every student.", + "State-of-the-art technology and a renovated facility enhance the learning experience.", + "Vibrant arts programs including music, drama, and visual arts allow students to explore their creativity.", + "Strong partnerships with community organizations offer students diverse extracurricular opportunities.", + "Focus on culturally sensitive pedagogy and critical-thinking skills through collaborative projects." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Our Beacon partners support both before- and after-school care starting at 7:30 AM, offering convenient options for families." + }, + { + "name": "After School Programs", + "description": "Afterschool programming is provided by the Beacon/Buchanan YMCA from the end of the school day to 6 PM, including academic support and enrichment activities." + }, + { + "name": "Special Education Programs", + "description": "Cobb Elementary serves students with IEPs from PreK-5th grade in an inclusive setting, with additional services like Speech and Language, Occupational Therapy, and more." + }, + { + "name": "Arts Enrichment", + "description": "Students participate in various arts activities, including visual arts, dance, music, and drama, supported by partnerships with organizations like Stagewrite." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes computer carts, English literacy intervention, library access, outdoor education, and project-based learning to enhance student learning." + }, + { + "name": "Student Support Programs", + "description": "Provides resources such as family liaison, instructional coach, mentoring, social worker, speech pathologist, student adviser, and therapist." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screenshot%202024-03-21%20at%203.45.35%20PM.png", + "logoAltText": "Dr. William L. Cobb Elementary School Logo", + "filePath": "dr-william-l-cobb-elementary-school.png" + } + }, + { + "schoolStub": "er-taylor-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/er-taylor-elementary-school", + "schoolLabel": "E.R. Taylor Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_2363.jpeg?itok=0ijfO-fS", + "width": "320", + "height": "240", + "filePath": "public/school_img/er-taylor-elementary-school.jpeg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Portola", + "principal": "David Norris", + "locations": ["423 Burrows Street, San Francisco, California 94134"], + "phone": "415-330-1530", + "geolocations": [ + { + "addressString": "423 Burrows St, San Francisco, CA 94134-1449, United States", + "addressDetails": { + "Label": "423 Burrows St, San Francisco, CA 94134-1449, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Portola", + "PostalCode": "94134-1449", + "Street": "Burrows St", + "StreetComponents": [ + { + "BaseName": "Burrows", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "423" + }, + "geo": [-122.40733, 37.72783], + "geoBounds": [-122.40847, 37.72693, -122.40619, 37.72873] + } + ], + "enrollment": "660", + "schoolCode": "513", + "ytLinks": [ + "https://www.youtube.com/embed/Ue7KfQRu6AA?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["Ue7KfQRu6AA"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "E.R. Taylor Elementary is a nurturing PK-5th grade school in San Francisco's Garden District, committed to fostering academic excellence and personal growth with a strong emphasis on preparing students to be college-ready.", + "bullets": [ + "Located in San Francisco's vibrant Garden District, offering a supportive and community-focused learning environment.", + "Emphasizes a comprehensive curriculum aligned with SFUSD Common Core standards and innovative instructional practices.", + "Offers three language pathways: English Plus, Spanish Biliteracy, and Cantonese Biliteracy to support diverse language learners.", + "Provides extensive after-school programs and extracurricular activities, including arts, music, and sports, in collaboration with Bay Area Community Resources.", + "Focuses on social-emotional development through programs like Second Step and Positive Interventions Behavior Support (PBIS)." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers the ExCEL program at no cost to families, available from the end of school until 5:45 PM for grades 1-5, and includes activities like Scores Soccer." + }, + { + "name": "Language Programs", + "description": "Includes Cantonese and Spanish Biliteracy Programs to support multilingual proficiency." + }, + { + "name": "Special Education Programs", + "description": "Provides focused services with Resource Specialist Program Services and separate classes for students with mild to moderate autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Provides 1:1 student Chromebooks, academic counseling, English literacy intervention, a library, and STEAM education." + }, + { + "name": "Arts Enrichment", + "description": "Encompasses arts residency programs with an emphasis on gardening, performing arts, visual arts, and choral/instrumental music." + }, + { + "name": "Student Support Programs", + "description": "Includes a family liaison, health and wellness center, on-site nurse, social worker, mentoring, and speech pathologist services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ER%20Taylor%20Logo_0.png", + "logoAltText": "E.R. Taylor Elementary School Logo", + "filePath": "er-taylor-elementary-school.png" + } + }, + { + "schoolStub": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao", + "schoolUrl": "https://www.sfusd.edu/school/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao", + "schoolLabel": "Edwin and Anita Lee Newcomer School 李孟賢伉儷新移民學校", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/h6pIr4v0AVtf8kJW32-DsghRFxJm96BD0OwTVvbE-ikwzF6CI7_MZHip6SdL7I6GhkyCArMs9qywWtktOsOJNieKKy6jKnmyEkW1foeIpNncYYKxGmc2qoB2AiBEnrnAumuKgN1vljce1XdRtOObuq-zx_utGTvfK2GAzsO1cIyOhctlUC3guGfy8jRRa0jF_uXrOv1Q-vsk73cGNHm_C63rJf_yX3Oznu.jpg?itok=8seYkJ7i", + "width": "320", + "height": "213", + "filePath": "public/school_img/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["2-5"], + "neighborhood": "Chinatown", + "principal": "Lisa Kwong", + "locations": ["950 Clay Street, San Francisco, California 94108"], + "phone": "415-291-7918", + "geolocations": [ + { + "addressString": "950 Clay St, San Francisco, CA 94108-1521, United States", + "addressDetails": { + "Label": "950 Clay St, San Francisco, CA 94108-1521, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Chinatown", + "PostalCode": "94108-1521", + "Street": "Clay St", + "StreetComponents": [ + { + "BaseName": "Clay", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "950" + }, + "geo": [-122.40879, 37.79442], + "geoBounds": [-122.40993, 37.79352, -122.40765, 37.79532] + } + ], + "enrollment": "30", + "schoolCode": "476", + "ytLinks": [ + "https://www.youtube.com/embed/ABLV35fxMIw?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/VZbYDCXKE1U?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["ABLV35fxMIw", "VZbYDCXKE1U"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Edwin and Anita Lee Newcomer School offers a unique one-year transitional program for newly-arrived, Chinese-speaking immigrant students, focusing on foundational English skills and social-emotional learning to bridge cultural and educational gaps.", + "bullets": [ + "Specialized in helping Chinese-speaking immigrant students transition into the American educational system.", + "Comprehensive focus on developing English language skills, including reading, writing, and oral communication.", + "Emphasizes social-emotional learning to support students' adjustment and growth mindset.", + "Provides robust family support programs to help parents assist their children's transition.", + "Features an arts-enriched curriculum with performing and visual arts classes for all students." + ], + "programs": [ + { + "name": "ExCEL Afterschool Program", + "description": "Run by the Chinatown YMCA, this program offers tutorial, enrichment, and recreational activities to enhance students' English learning experience." + }, + { + "name": "Chinese Newcomer Program", + "description": "A dedicated program aimed at supporting Chinese-speaking newly-arrived students in acquiring foundational English skills and cultural understanding." + }, + { + "name": "Integrated General Education Class", + "description": "Available for pre-kindergarten students, this program integrates general education with special support for newcomers." + }, + { + "name": "Arts Enrichment", + "description": "Includes ceramics, dance, performing arts, and visual arts classes, with a District Instrumental Program for students in grades 3-5." + }, + { + "name": "Student Support Programs", + "description": "Provides additional support with a family liaison and social worker to assist students' transition to a new cultural and educational environment." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ealns%20new%20logo.jpg", + "logoAltText": "Edwin and Anita Lee Newcomer School Logo", + "filePath": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg" + } + }, + { + "schoolStub": "el-dorado-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/el-dorado-elementary-school", + "schoolLabel": "El Dorado Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2020-08/ELDO%20Eagle%20Color%20%232.png?itok=8CnCJM87", + "width": "320", + "height": "333", + "filePath": "public/school_img/el-dorado-elementary-school.png" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Visitacion Valley", + "principal": "Danielle Cordova-Camou", + "locations": ["70 Delta Street, San Francisco, California 94134"], + "phone": "415-330-1537", + "geolocations": [ + { + "addressString": "70 Delta St, San Francisco, CA 94134-2145, United States", + "addressDetails": { + "Label": "70 Delta St, San Francisco, CA 94134-2145, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Visitacion Valley", + "PostalCode": "94134-2145", + "Street": "Delta St", + "StreetComponents": [ + { + "BaseName": "Delta", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "70" + }, + "geo": [-122.40715, 37.71862], + "geoBounds": [-122.40829, 37.71772, -122.40601, 37.71952] + } + ], + "enrollment": "180", + "schoolCode": "521", + "ytLinks": [ + "https://www.youtube.com/embed/nWDBQZktp08?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/886a2oU3Dak?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/886a2oU3Dak?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["nWDBQZktp08", "886a2oU3Dak", "886a2oU3Dak"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "El Dorado is a vibrant school committed to fostering a diverse educational environment where teachers, staff, and parents collaborate to nurture the academic and social growth of every student.", + "bullets": [ + "Focus on teaching the whole child through a balanced approach to literacy and innovative instructional practices.", + "Exceptional extended learning opportunities in visual and performing arts, science, and outdoor education.", + "Dedicated support services including special education, health and wellness centers, and student mentoring.", + "Engaging monthly school-wide events such as Literacy Night, Math Night, and Cultural Assemblies.", + "Comprehensive school achievement planning with a strong emphasis on social-emotional learning." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Real Options for City Kids (ROCK) operates Monday to Friday, providing structured after-school support and enrichment for students." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class, speech-related services, and Resource Specialist Program Services to cater to diverse learning needs." + }, + { + "name": "Academic Enrichment", + "description": "Offers English literacy intervention, library resources, student portfolios, and in-school tutoring to enhance academic success." + }, + { + "name": "Arts Enrichment", + "description": "Features weekly dance, drama, gardening, instrumental music, and music instruction to develop students' artistic talents." + }, + { + "name": "Athletics", + "description": "Provides opportunities for students to participate in basketball, soccer, and volleyball to promote physical development and teamwork." + }, + { + "name": "Student Support Programs", + "description": "Includes a family liaison, health and wellness center, mentoring, an on-site nurse, social worker, and student adviser to ensure holistic student support." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ELDO%20Eagle%20Color.png", + "logoAltText": "El Dorado Elementary School Logo", + "filePath": "el-dorado-elementary-school.png" + } + }, + { + "schoolStub": "everett-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/everett-middle-school", + "schoolLabel": "Everett Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/everett.jpg?itok=GXuc6Qkw", + "width": "320", + "height": "213", + "filePath": "public/school_img/everett-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Mission / Castro / Upper Market", + "principal": "Heidi Avelina Smith", + "locations": ["450 Church Street, San Francisco, California 94114"], + "phone": "415-241-6344", + "geolocations": [ + { + "addressString": "450 Church St, San Francisco, CA 94114-1721, United States", + "addressDetails": { + "Label": "450 Church St, San Francisco, CA 94114-1721, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Castro", + "PostalCode": "94114-1721", + "Street": "Church St", + "StreetComponents": [ + { + "BaseName": "Church", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "450" + }, + "geo": [-122.42886, 37.76369], + "geoBounds": [-122.43, 37.76279, -122.42772, 37.76459] + } + ], + "enrollment": "745", + "schoolCode": "529", + "ytLinks": [ + "https://www.youtube.com/embed/0ibm_950jXQ?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["0ibm_950jXQ"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Everett Middle School, located at the intersection of the Castro and Mission districts, is a diverse and inclusive school dedicated to empowering students to become world-changers through a supportive environment and comprehensive educational programs.", + "bullets": [ + "Diverse and inclusive environment catering to a wide range of student needs, including special education and English learners.", + "Unique Spanish Immersion program integrated with general education for a holistic learning experience.", + "Extensive after-school program providing academic support and enrichment activities such as art, sports, and technology.", + "Rotating block schedule offering in-depth courses and socio-emotional learning through daily homerooms.", + "Committed to building strong academic identities with standards-based grading and small group interventions." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Mission Beacon Center operates Monday-Friday offering academic support, recreation, arts, and more at a minimal cost." + }, + { + "name": "Newcomer Program", + "description": "Focused on developing English skills for students new to the language, facilitating their transition to general education classes." + }, + { + "name": "Spanish Secondary Dual Language Program", + "description": "Provides a dual immersion pathway where students receive science and history instruction completely in Spanish." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program and separate classes for mild/moderate disabilities and autism, primarily through a coteaching model." + }, + { + "name": "Arts Enrichment", + "description": "A variety of electives such as band, choir, theater, and visual arts to harness students' creative talents." + }, + { + "name": "Athletics", + "description": "Offers sports including baseball, basketball, flag football, soccer, and more to promote physical development." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including access to a nurse, social worker, counselors, and mentoring to ensure student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/EMS.jpg", + "logoAltText": "Everett Middle School Logo", + "filePath": "everett-middle-school.jpg" + } + }, + { + "schoolStub": "francis-scott-key-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/francis-scott-key-elementary-school", + "schoolLabel": "Francis Scott Key Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2023-12/IMG_3536.jpg?itok=neB2woFT", + "width": "320", + "height": "313", + "filePath": "public/school_img/francis-scott-key-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Outer Sunset", + "principal": "Cynthia Lam", + "locations": ["1530 43rd Avenue, San Francisco, California 94122"], + "phone": "415-759-2811", + "geolocations": [ + { + "addressString": "1530 43rd Ave, San Francisco, CA 94122-2925, United States", + "addressDetails": { + "Label": "1530 43rd Ave, San Francisco, CA 94122-2925, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Sunset", + "PostalCode": "94122-2925", + "Street": "43rd Ave", + "StreetComponents": [ + { + "BaseName": "43rd", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1530" + }, + "geo": [-122.502, 37.7581], + "geoBounds": [-122.50314, 37.7572, -122.50086, 37.759] + } + ], + "enrollment": "570", + "schoolCode": "544", + "ytLinks": [ + "https://www.youtube.com/embed/GI2PfJ2PQAs?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["GI2PfJ2PQAs"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Francis Scott Key Elementary School offers a supportive and challenging learning environment in an art deco style building, promoting respect, diversity, and holistic education with a focus on 21st-century skills through STEAM education.", + "bullets": [ + "Founded in 1903 and housed in a historic art deco building renovated in 2012, ensuring full ADA compliance.", + "Offers a vibrant afterschool program with academic support and extracurricular activities like language classes in Mandarin and Spanish, science and art programs.", + "Emphasizes a student-centered approach with high expectations, fostering a collaborative, diverse, and supportive learning community.", + "Provides specialized education programs for students with special needs and integrated STEAM-focused learning.", + "Engages with the community through the Shared School Yard program, allowing public use of facilities on weekends." + ], + "programs": [ + { + "name": "BACR Afterschool Program", + "description": "An extended day program serving students in grades TK-5 with academic support, homework help, and extracurricular activities such as Mandarin, Spanish, Science, STEM, and Art." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services designed to support students with moderate to severe special needs through specialized classes." + }, + { + "name": "School Day Academic Enrichment", + "description": "A program offering a wide range of enrichment opportunities during the standard school day, including computer science, arts, dance, drama, gardening, music, and STEAM activities." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services providing access to healthcare professionals, social workers, and advisers to enhance student well-being and academic success." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/peg%20with%20shield.png", + "logoAltText": "Francis Scott Key Elementary School Logo", + "filePath": "francis-scott-key-elementary-school.png" + } + }, + { + "schoolStub": "francisco-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/francisco-middle-school", + "schoolLabel": "Francisco Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/francisco.jpg?itok=qXLD3d-R", + "width": "320", + "height": "240", + "filePath": "public/school_img/francisco-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "North Beach", + "principal": "Sang-Yeon Lee", + "locations": ["2190 Powell Street", "San Francisco, California 94133"], + "phone": "415-291-7900", + "geolocations": [ + { + "addressString": "2190 Powell St, San Francisco, CA 94133-1949, United States", + "addressDetails": { + "Label": "2190 Powell St, San Francisco, CA 94133-1949, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "North Beach", + "PostalCode": "94133-1949", + "Street": "Powell St", + "StreetComponents": [ + { + "BaseName": "Powell", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2190" + }, + "geo": [-122.41159, 37.8047], + "geoBounds": [-122.41273, 37.8038, -122.41045, 37.8056] + }, + { + "addressString": "94133, San Francisco, CA, United States", + "addressDetails": { + "Label": "94133, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94133" + }, + "geo": [-122.4064, 37.80175], + "geoBounds": [-122.4206, 37.79433, -122.40203, 37.81155] + } + ], + "enrollment": "600", + "schoolCode": "546", + "ytLinks": [ + "https://www.youtube.com/embed/rd_iXhZV68k?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["rd_iXhZV68k"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Francisco Middle School, nestled within the culturally rich Chinatown-North Beach area, excels in providing a purposeful educational experience tailored to meet the needs of a diverse community of learners.", + "bullets": [ + "Located in the vibrant Chinatown-North Beach community, fostering a rich cultural experience.", + "Focuses on the joy of learning and individual student growth through personal relationships.", + "Equipped with a network-ready computer lab and technology resources in every classroom.", + "Offers a comprehensive range of programs from language to special education, ensuring inclusivity.", + "Promotes continuous improvement and resilience as key elements of student development." + ], + "programs": [ + { + "name": "Newcomer Program", + "description": "An inclusive language program designed to support students who are new to learning English, accommodating all languages." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services, separate classes for mild/moderate to moderate/severe learning needs with a focus on autism, and the SOAR program for emotional resilience." + }, + { + "name": "STEAM", + "description": "A curriculum integrating science, technology, engineering, arts, and mathematics to foster critical thinking and creativity." + }, + { + "name": "Arts Enrichment", + "description": "A diverse program offering creative writing, media arts, orchestra, performing arts, and visual arts to cultivate artistic talents." + }, + { + "name": "Athletics", + "description": "Comprehensive sports opportunities including baseball, basketball, soccer, softball, track and field, and volleyball." + }, + { + "name": "AVID", + "description": "Advancement Via Individual Determination program helping students prepare for college through guidance and skill development." + }, + { + "name": "Social Support Programs", + "description": "Includes counseling, family liaison, a health and wellness center, mentoring services, on-site nurse, and a social worker to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/1330644.jpg", + "logoAltText": "Francisco Middle School Logo", + "filePath": "francisco-middle-school.jpg" + } + }, + { + "schoolStub": "mccoppin", + "schoolUrl": "https://www.sfusd.edu/mccoppin", + "schoolLabel": "Frank McCoppin Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2024-10/McCoppinExteriorPickups%20%282%20of%203%29%202_0.jpg?itok=DZ5xD4Ms", + "width": "320", + "height": "129", + "filePath": "public/school_img/mccoppin.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Inner Richmond", + "principal": "Bennett Lee", + "locations": ["651 6th Avenue, San Francisco, California 94118"], + "phone": "415-750-8475", + "geolocations": [ + { + "addressString": "651 6th Ave, San Francisco, CA 94118-3804, United States", + "addressDetails": { + "Label": "651 6th Ave, San Francisco, CA 94118-3804, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Inner Richmond", + "PostalCode": "94118-3804", + "Street": "6th Ave", + "StreetComponents": [ + { + "BaseName": "6th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "651" + }, + "geo": [-122.46421, 37.77629], + "geoBounds": [-122.46535, 37.77539, -122.46307, 37.77719] + } + ], + "enrollment": "250", + "schoolCode": "549", + "ytLinks": [ + "https://www.youtube.com/embed/1I5dpskYhK8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["1I5dpskYhK8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Nestled near the iconic Golden Gate Park, McCoppin Elementary School is a distinguished institution committed to nurturing academic excellence and fostering an inclusive and equitable learning environment for all its students.", + "bullets": [ + "Renowned for its individualized teaching approach, supported by a diverse team of specialists including a speech clinician and school psychologist.", + "Led by Principal Bennett Lee, a visionary leader since 2001, dedicated to progressive education and continuous positive change.", + "Showcases modern facilities including recently renovated classrooms, a multipurpose area, and a vibrant community mural.", + "Offers a comprehensive suite of before and after school programs, featuring Mandarin and Spanish classes as well as sports activities.", + "Promotes a rich array of enrichment programs during school hours, from arts and music to outdoor education and performing arts." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Offers art, crafts, and games through the Richmond District Neighborhood Center from 7:30 AM to 9:15 AM, along with fee-based language classes in Mandarin and Spanish." + }, + { + "name": "After School Programs", + "description": "Features the Out of School Time (OST) and The Richmond Neighborhood Center (TRNC) programs providing care until 6 PM, plus fee-based sports activities through VillageSports." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class, Resource Specialist Program Services, and support services during the school day." + }, + { + "name": "Academic Enrichment", + "description": "Utilizes the library and outdoor education initiatives to bolster academic learning and student engagement." + }, + { + "name": "Arts Enrichment", + "description": "Encompasses art classes, choir, dance, and instrumental music as part of the daily curriculum." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/dragon_1_0.png", + "logoAltText": "Frank McCoppin Elementary School Logo", + "filePath": "mccoppin.png" + } + }, + { + "schoolStub": "galileo-academy-science-technology", + "schoolUrl": "https://www.sfusd.edu/school/galileo-academy-science-technology", + "schoolLabel": "Galileo Academy of Science & Technology", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Galileo_Academy_of_Science_and_Technology_entrance.jpg?itok=sEkItyh9", + "width": "320", + "height": "240", + "filePath": "public/school_img/galileo-academy-science-technology.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Russian Hill", + "principal": "De Trice Rodgers", + "locations": ["1150 Francisco Street, San Francisco, California 94109"], + "phone": "415-749-3430", + "geolocations": [ + { + "addressString": "1150 Francisco St, San Francisco, CA 94109-1004, United States", + "addressDetails": { + "Label": "1150 Francisco St, San Francisco, CA 94109-1004, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Russian Hill", + "PostalCode": "94109-1004", + "Street": "Francisco St", + "StreetComponents": [ + { + "BaseName": "Francisco", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1150" + }, + "geo": [-122.42414, 37.80379], + "geoBounds": [-122.42528, 37.80289, -122.423, 37.80469] + } + ], + "enrollment": "1900", + "schoolCode": "559", + "ytLinks": [ + "https://www.youtube.com/embed/KkDW52FEdsg?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["KkDW52FEdsg"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Galileo Academy of Science and Technology is committed to providing equal access to education for all students, offering diverse programs that prepare them for college, work, and life success.", + "bullets": [ + "Extensive Honors and Advanced Placement courses challenge students academically.", + "Offers specialized small learning communities in Biotechnology, Environmental Science, and more.", + "Comprehensive student support services including AVID and a Wellness Center.", + "After-school programs featuring sports, arts, and over 40 clubs for enrichment.", + "Diverse language programs including French, Mandarin, and Spanish." + ], + "programs": [ + { + "name": "Honors and Advanced Placement", + "description": "Advanced level courses that provide rigorous academic challenge to prepare students for college-level coursework." + }, + { + "name": "English Language Development (ELD)", + "description": "Support program for students whose primary language is not English, focused on improving language proficiency." + }, + { + "name": "Biotechnology Pathway", + "description": "A small learning community focused on the study of biological processes for industrial and other purposes." + }, + { + "name": "Environmental Science Pathway", + "description": "Dedicated program exploring the relationships between the natural world and human society." + }, + { + "name": "Health Pathway", + "description": "Educational pathway focusing on preparing students for careers in healthcare and medical fields." + }, + { + "name": "Information Technology Pathway", + "description": "Program aimed at teaching students about computer systems, networking, and cybersecurity." + }, + { + "name": "Media Arts Pathway", + "description": "Creative program centered around visual and performing arts technologies and techniques." + }, + { + "name": "Hospitality and Tourism Pathway", + "description": "Training program offering insights into the business aspects of travel and customer service industries." + }, + { + "name": "AVID Program", + "description": "Provides additional academic support and counseling aimed at college preparation and student success." + }, + { + "name": "Wellness Center", + "description": "On-site center offering mental and physical health services to students." + }, + { + "name": "Futurama After-School Program", + "description": "Includes sports, arts, tutoring, and enrichment activities to support student development outside regular school hours." + }, + { + "name": "Special Education Programs", + "description": "Includes various programs such as ACCESS, Resource Specialist, and SOAR to cater to the diverse needs of students with disabilities." + }, + { + "name": "Career Technical Education (CTE) Academies", + "description": "Includes arts, media, health sciences, hospitality, and more for career-focused learning." + }, + { + "name": "Language Programs", + "description": "Offers French, Mandarin, Spanish, and Newcomer programs to support multilingual learning." + }, + { + "name": "College Counseling", + "description": "Provides resources and guidance for students navigating college admissions, financial aid, and career planning." + }, + { + "name": "Athletics Program", + "description": "Wide range of sports including badminton, basketball, and cross country, promoting physical education and teamwork." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/galileo-crest-web_0.jpg", + "logoAltText": "Galileo Academy of Science & Technology Logo", + "filePath": "galileo-academy-science-technology.jpg" + } + }, + { + "schoolStub": "garfield-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/garfield-elementary-school", + "schoolLabel": "Garfield Elementary School", + "image": null, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "North Beach", + "principal": "Karen Maruoka", + "locations": ["420 Filbert Street, San Francisco, California 94133"], + "phone": "415-291-7924", + "geolocations": [ + { + "addressString": "420 Filbert St, San Francisco, CA 94133-3002, United States", + "addressDetails": { + "Label": "420 Filbert St, San Francisco, CA 94133-3002, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Telegraph Hill", + "PostalCode": "94133-3002", + "Street": "Filbert St", + "StreetComponents": [ + { + "BaseName": "Filbert", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "420" + }, + "geo": [-122.40663, 37.80189], + "geoBounds": [-122.40777, 37.80099, -122.40549, 37.80279] + } + ], + "enrollment": "225", + "schoolCode": "562", + "ytLinks": [ + "https://www.youtube.com/embed/JNqzP6YEZVM?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["JNqzP6YEZVM"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Garfield School is dedicated to fostering positive self-esteem and lifelong learning, ensuring students achieve personal and academic success while nurturing a sense of personal and civic responsibility.", + "bullets": [ + "Equity-focused education that meets each student's needs and supports success at all levels.", + "A nurturing environment promoting social justice and respect for diverse perspectives.", + "Engaging teaching methods using games, songs, and projects to make learning enjoyable.", + "Strong community involvement through school-wide events and performances.", + "Effective communication with families through newsletters and weekly meetings." + ], + "programs": [ + { + "name": "Garfield After School Program", + "description": "Offered by the Community Youth Center of San Francisco, this program provides homework support, snacks, and enrichment activities for students in grades K to 5. It's available Monday to Thursday with a sliding-scale fee." + }, + { + "name": "Off Campus Program", + "description": "Partnered with local community centers like Salesians and Telegraph Hill Neighborhood Center Elementary School Academy (TELHI), offering extended learning opportunities." + }, + { + "name": "Cantonese Dual Language Immersion", + "description": "A language program that immerses students in a bilingual educational environment, promoting fluency in both English and Cantonese." + }, + { + "name": "Special Education Programs", + "description": "Includes a Learning Center for students spending over 50% of their day receiving specialized instruction, a General Education Resource Specialist service, and a separate class focusing on mild/moderate autism." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive arts education including art classes, music programs led by SFUSD Arts Teacher Ms. Laurence, and programs like Leap: Imagination in Learning and SF Symphony Adventures in Music." + }, + { + "name": "Student Support Programs", + "description": "A network of support including family liaisons, instructional coaches, social workers, and speech pathologists to assist in students' overall development." + } + ] + } + }, + { + "schoolStub": "george-peabody-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/george-peabody-elementary-school", + "schoolLabel": "George Peabody Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Peabody%20ES.JPG?itok=35gUi0XX", + "width": "320", + "height": "240", + "filePath": "public/school_img/george-peabody-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Inner Richmond", + "principal": "Willem Vroegh", + "locations": ["251 6th Avenue, San Francisco, California 94118"], + "phone": "415-750-8480", + "geolocations": [ + { + "addressString": "251 6th Ave, San Francisco, CA 94118-2311, United States", + "addressDetails": { + "Label": "251 6th Ave, San Francisco, CA 94118-2311, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Inner Richmond", + "PostalCode": "94118-2311", + "Street": "6th Ave", + "StreetComponents": [ + { + "BaseName": "6th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "251" + }, + "geo": [-122.46479, 37.78393], + "geoBounds": [-122.46593, 37.78303, -122.46365, 37.78483] + } + ], + "enrollment": "275", + "schoolCode": "569", + "ytLinks": [ + "https://www.youtube.com/embed/rD7AP_Uklk8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["rD7AP_Uklk8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "George Peabody is a nurturing and academically rigorous elementary school in San Francisco, designed to provide students with foundational skills and lifelong learning enthusiasm in a supportive and community-oriented environment.", + "bullets": [ + "Located in the heart of San Francisco's Inner Richmond, George Peabody offers a safe, family-feel environment for all students.", + "The school provides a comprehensive education program that includes social-emotional learning, physical education, arts and after-school enrichment.", + "Students benefit from unique programs like the Kimochis SEL curriculum and PeabodyOutside, which focuses on outdoor learning experiences.", + "A variety of after-school programs available through partnerships with local organizations and the PTA enhance student engagement and learning.", + "Strong community connections are fostered through regular events and collaborations with the PTA and Student Council." + ], + "programs": [ + { + "name": "Kimochis Social Emotional Learning", + "description": "A curriculum focused on helping students understand and express their emotions effectively." + }, + { + "name": "PeabodyOutside", + "description": "An outdoor learning program based on the Education Outside initiative, encouraging exploration and learning in natural settings." + }, + { + "name": "PeabodyWorks", + "description": "A program emphasizing physical and character education, inspired by the school's collaboration with Playworks." + }, + { + "name": "Arts Curriculum", + "description": "A well-structured arts program covering music, dance, and visual arts, developed in collaboration with SFUSD VAPA teachers and outside consultants." + }, + { + "name": "After School Programs", + "description": "Daily after-school programs from 2:05 to 6:00 PM, run by the Richmond Neighborhood Center, including a bus service to local community centers." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Services and separate mild/moderate classes, ensuring inclusive education for all learners." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/peabody%20logo%20blue.jpg", + "logoAltText": "George Peabody Elementary School Logo", + "filePath": "george-peabody-elementary-school.jpg" + } + }, + { + "schoolStub": "george-r-moscone-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/george-r-moscone-elementary-school", + "schoolLabel": "George R. Moscone Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2024-01/Moscone%20Students%20on%20Staircase.jpeg?itok=g1vOcNbL", + "width": "320", + "height": "427", + "filePath": "public/school_img/george-r-moscone-elementary-school.jpeg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Mission", + "principal": "Sarah Twiest", + "locations": ["2576 Harrison Street, San Francisco, California 94110"], + "phone": "415-695-5736", + "geolocations": [ + { + "addressString": "2576 Harrison St, San Francisco, CA 94110-2720, United States", + "addressDetails": { + "Label": "2576 Harrison St, San Francisco, CA 94110-2720, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-2720", + "Street": "Harrison St", + "StreetComponents": [ + { + "BaseName": "Harrison", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2576" + }, + "geo": [-122.41246, 37.75639], + "geoBounds": [-122.4136, 37.75549, -122.41132, 37.75729] + } + ], + "enrollment": "370", + "schoolCode": "723", + "ytLinks": [ + "https://www.youtube.com/embed/9ojTQ422jRY?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/FiDwAYjZBUc?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/24wWbyESLWM?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["9ojTQ422jRY", "FiDwAYjZBUc", "24wWbyESLWM"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "George R. Moscone Elementary School, situated in the vibrant Mission District, fosters a multicultural environment where a committed faculty and diverse student body collaborate to achieve excellence in academic, social, and emotional development.", + "bullets": [ + "Multicultural environment with a focus on cultural and linguistic diversity.", + "Daily opportunities for student engagement through music, movement, and project-based learning.", + "Strong communication with families supported by translations in English, Chinese, and Spanish.", + "Robust after-school programs including partnerships with community organizations.", + "Comprehensive support services including a family liaison, mentoring, and specialized academic interventions." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Breakfast is served daily from 8:15 to 8:35 a.m., providing students with a healthy start to their school day." + }, + { + "name": "After School Programs", + "description": "A variety of after-school activities are available, including the Community Youth Center-ExCEL program, SFUSD Early Education Department Out of School Time Program, and Boys' and Girls' Club at Mission Clubhouse." + }, + { + "name": "Language Programs", + "description": "Cantonese and Spanish Biliteracy and Dual Language Learner Programs, focusing on early language skill development." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services providing additional academic support in literacy for K-2 students and math for 3-5 students." + }, + { + "name": "Arts Enrichment", + "description": "Programs include dance, gardening, visual arts, and music, offering a well-rounded educational experience." + }, + { + "name": "Student Support Programs", + "description": "Services include a family liaison, mentoring, on-site nurse, and social worker to support student well-being and growth." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Moscone%20Logo%20w%20Text.png", + "logoAltText": "George R. Moscone Elementary School Logo", + "filePath": "george-r-moscone-elementary-school.png" + } + }, + { + "schoolStub": "george-washington-high-school", + "schoolUrl": "https://www.sfusd.edu/school/george-washington-high-school", + "schoolLabel": "George Washington High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Washgrad05_m.jpg?itok=YuFFBvsJ", + "width": "320", + "height": "199", + "filePath": "public/school_img/george-washington-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Outer Richmond", + "principal": "John Schlauraff", + "locations": ["600 32nd Avenue, San Francisco, California 94121"], + "phone": "415-750-8400", + "geolocations": [ + { + "addressString": "600 32nd Ave, San Francisco, CA 94121-2733, United States", + "addressDetails": { + "Label": "600 32nd Ave, San Francisco, CA 94121-2733, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Richmond", + "PostalCode": "94121-2733", + "Street": "32nd Ave", + "StreetComponents": [ + { + "BaseName": "32nd", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "600" + }, + "geo": [-122.49194, 37.77782], + "geoBounds": [-122.49308, 37.77692, -122.4908, 37.77872] + } + ], + "enrollment": "2100", + "schoolCode": "571", + "ytLinks": [ + "https://www.youtube.com/embed/GC8TjZ7PBVw?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["GC8TjZ7PBVw"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "George Washington High School offers an outstanding comprehensive education in a culturally rich environment, emphasizing high academic standards and preparing students to thrive as lifelong learners in a multicultural society.", + "bullets": [ + "Over 100 course offerings, including 52 sections of honors and AP classes.", + "Active student life with over 50 campus clubs and 22 athletic teams across 15 sports.", + "Comprehensive support systems including the Richmond Neighborhood program, Wellness Center, and Parent Teacher Student Association.", + "Focus on equity through equal resource access and tailored support for all students.", + "Aligned with SFUSD Vision 2025 for a well-rounded graduate profile." + ], + "programs": [ + { + "name": "Richmond Neighborhood Center Program", + "description": "Provides after school and evening enrichment programs for students and adults on site from 3:30 p.m. to 6:00 p.m." + }, + { + "name": "Language Programs", + "description": "Offers world language education in Japanese, Mandarin, and Spanish along with a Newcomer Pathway for 10th-12th grades." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services, separate classes for mild/moderate and moderate/severe needs, and the SOAR program." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features Advanced Placement (AP) classes, Career Technical Education (CTE) Academies, college classes at CCSF or SFSU, credit recovery, and in-school tutoring." + }, + { + "name": "Arts Enrichment", + "description": "Comprises band, ceramics, choir, dance, drama, media arts, orchestra, performing arts, and visual arts." + }, + { + "name": "Athletics", + "description": "Offers a variety of sports including badminton, baseball, basketball, cross country, fencing, football, golf, soccer, swimming, tennis, track and field, volleyball, and wrestling." + }, + { + "name": "Student Support Programs", + "description": "Includes AVID, Health and Wellness Center, on-site nurse, social worker, and family liaison services." + }, + { + "name": "College and Career Programs", + "description": "Provides counseling, college application workshops, career fairs, and personal statement workshops." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/School%20logo_0.jpg", + "logoAltText": "George Washington High School Logo", + "filePath": "george-washington-high-school.jpg" + } + }, + { + "schoolStub": "glen-park-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/glen-park-elementary-school", + "schoolLabel": "Glen Park Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/buildingClear%20%281%29.jpg?itok=NdmaoqOv", + "width": "320", + "height": "213", + "filePath": "public/school_img/glen-park-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Glen Park", + "principal": "Liz Zarr", + "locations": ["151 Lippard Avenue", "San Francisco, California 94131"], + "phone": "415-469-4713", + "geolocations": [ + { + "addressString": "151 Lippard Ave, San Francisco, CA 94131-3249, United States", + "addressDetails": { + "Label": "151 Lippard Ave, San Francisco, CA 94131-3249, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Glen Park", + "PostalCode": "94131-3249", + "Street": "Lippard Ave", + "StreetComponents": [ + { + "BaseName": "Lippard", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "151" + }, + "geo": [-122.43563, 37.73311], + "geoBounds": [-122.43677, 37.73221, -122.43449, 37.73401] + }, + { + "addressString": "94131, San Francisco, CA, United States", + "addressDetails": { + "Label": "94131, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94131" + }, + "geo": [-122.43099, 37.73841], + "geoBounds": [-122.46382, 37.72828, -122.42416, 37.76068] + } + ], + "enrollment": "315", + "schoolCode": "575", + "ytLinks": [ + "https://www.youtube.com/embed/Gn04EKca7-U?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["Gn04EKca7-U"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "The Glen Park School is a vibrant and inclusive community focused on fostering social justice, high achievement, and emotional growth for all its students.", + "bullets": [ + "Committed to providing equitable access to learning opportunities and valuing all voices within the community.", + "Offers a restorative approach to problem-solving and conflict resolution across the school community.", + "Regularly showcases academic and artistic work, allowing students to bask in the satisfaction of their accomplishments.", + "Provides comprehensive literacy support in both English and Spanish along with access to a Wellness Center and a full-time librarian.", + "Employs thematic teaching methods by integrating the Teachers College Reading and Writing Workshop model across grade levels." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The ExCEL/SFArtsED program runs daily from 2:40 PM to 6:00 PM, offering sliding scale fees and activities including fitness, nutrition, academic enrichment, field trips, and arts." + }, + { + "name": "Language Programs", + "description": "Offers a Spanish Biliteracy Program to promote language skills among students." + }, + { + "name": "Special Education Programs", + "description": "Provides a moderate/severe autism-focused separate class for specialized student support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features computer carts and incorporates Education Outside along with English and Spanish literacy interventions." + }, + { + "name": "Arts Enrichment", + "description": "Includes dance, gardening, instrumental music, and literary arts through partnerships with local art organizations." + }, + { + "name": "Student Support Programs", + "description": "Offers services such as a family liaison, mentoring, a social worker, and a therapist for holistic student development." + }, + { + "name": "School Accountability Initiatives", + "description": "Publishes annual School Accountability Report Cards (SARC) and Social-Emotional and Culture Climate Reports to track student achievement and school culture." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/GPS_Whale_letterhead_OptionB.blue__0.jpg", + "logoAltText": "Glen Park Elementary School Logo", + "filePath": "glen-park-elementary-school.jpg" + } + }, + { + "schoolStub": "gordon-j-lau-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/gordon-j-lau-elementary-school", + "schoolLabel": "Gordon J. Lau Elementary School 劉貴明小學", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/gordon-lau_solar_eclipse.jpeg?itok=shVhqWKF", + "width": "320", + "height": "240", + "filePath": "public/school_img/gordon-j-lau-elementary-school.jpeg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Chinatown", + "principal": "Gloria Choy", + "locations": ["950 Clay Street, San Francisco, California 94108"], + "phone": "415-291-7921", + "geolocations": [ + { + "addressString": "950 Clay St, San Francisco, CA 94108-1521, United States", + "addressDetails": { + "Label": "950 Clay St, San Francisco, CA 94108-1521, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Chinatown", + "PostalCode": "94108-1521", + "Street": "Clay St", + "StreetComponents": [ + { + "BaseName": "Clay", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "950" + }, + "geo": [-122.40879, 37.79442], + "geoBounds": [-122.40993, 37.79352, -122.40765, 37.79532] + } + ], + "enrollment": "680", + "schoolCode": "490", + "ytLinks": [ + "https://www.youtube.com/embed/6YjG4gH1xrg?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/fV2L3jEEheI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["6YjG4gH1xrg", "fV2L3jEEheI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Gordon J. Lau Elementary School excels in providing a comprehensive, culturally inclusive education in the heart of Chinatown, committed to student success and community service.", + "bullets": [ + "Located in the vibrant Chinatown community, welcoming newcomers and English Learner families.", + "Offers a standards-aligned curriculum designed to prepare students for middle school and beyond.", + "Staff are multilingual and experienced, ensuring effective communication and low turnover.", + "Extensive support services including a full-time team addressing diverse student needs.", + "Robust before and after school programs, as well as language and arts enrichment programs." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Morning care available for working parents starting at 7:50 a.m., with limited space requiring pre-registration." + }, + { + "name": "After School Programs", + "description": "On-site and nearby options, offering tutoring, arts, and field trips from 2:55 to 6:00 p.m. for grades K-5." + }, + { + "name": "Cantonese Biliteracy Program", + "description": "Designed to support Cantonese language development alongside English literacy." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services tailored to meet the unique learning needs of students requiring additional resources." + }, + { + "name": "Visual and Performing Arts (VAPA)", + "description": "Includes various artistic programs in collaboration with local arts organizations like SF Symphony and Purple Silk." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-03-28%20at%206.09.44%20PM.png", + "logoAltText": "Gordon J. Lau Elementary School Logo", + "filePath": "gordon-j-lau-elementary-school.png" + } + }, + { + "schoolStub": "grattan-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/grattan-elementary-school", + "schoolLabel": "Grattan Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/grattan.jpg?itok=Guj765B6", + "width": "320", + "height": "240", + "filePath": "public/school_img/grattan-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Haight Ashbury", + "principal": "Catherine Walter", + "locations": ["165 Grattan Street, San Francisco, California 94117"], + "phone": "415-759-2815", + "geolocations": [ + { + "addressString": "165 Grattan St, San Francisco, CA 94117-4208, United States", + "addressDetails": { + "Label": "165 Grattan St, San Francisco, CA 94117-4208, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Cole Valley", + "PostalCode": "94117-4208", + "Street": "Grattan St", + "StreetComponents": [ + { + "BaseName": "Grattan", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "165" + }, + "geo": [-122.45047, 37.76377], + "geoBounds": [-122.45161, 37.76287, -122.44933, 37.76467] + } + ], + "enrollment": "410", + "schoolCode": "589", + "ytLinks": [ + "https://www.youtube.com/embed/WEWTHNVmRgY?autoplay=0&start=9&rel=0" + ], + "ytCodes": ["WEWTHNVmRgY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Grattan School is a nurturing and dynamic educational community dedicated to fostering curiosity, diversity, and individual growth through a balanced and affective academic program.", + "bullets": [ + "Emphasizes small class sizes to ensure personalized attention and a safe learning environment.", + "Encourages a holistic educational approach that integrates arts, outdoor learning, and real-world skills.", + "Values strong connections between home and school to support student development and community involvement.", + "Promotes innovative assessment methods like portfolios and oral exams to capture authentic student progress.", + "Commits to inclusivity and diversity, celebrating each student's unique talents and differences." + ], + "programs": [ + { + "name": "Grattan After School Program (GASP)", + "description": "A sliding-scale, tuition-based K-5 program that connects directly with the school day, offering additional learning opportunities." + }, + { + "name": "SFUSD Early Education Department Out of School Time Program", + "description": "A PreK-only program operating from 7:45 a.m. to 5:45 p.m., providing extended care and learning for young children." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class, Resource Specialist Program Services, and separate classes with a focus on moderate to severe autism for grades PreK-5." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features computer carts, technology labs, arts enrichment, dance, visual and performing arts (VAPA), storytelling, gardening, upper-grade music study, AIM concerts, and gross motor classes." + }, + { + "name": "Student Support Programs", + "description": "Offers comprehensive support through family liaisons, instructional coaches, mental health consultants, mentoring, social workers, speech pathologists, and student advisers." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/grattanlogogreen009900.jpg", + "logoAltText": "Grattan Elementary School Logo", + "filePath": "grattan-elementary-school.jpg" + } + }, + { + "schoolStub": "guadalupe-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/guadalupe-elementary-school", + "schoolLabel": "Guadalupe Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Guadalupe%20Garcia%20.jpeg?itok=3iH0hWIm", + "width": "320", + "height": "328", + "filePath": "public/school_img/guadalupe-elementary-school.jpeg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Excelsior", + "principal": "Dr. Raj Sharma", + "locations": ["859 Prague Street", "San Francisco, California 94112"], + "phone": "415-469-4718", + "geolocations": [ + { + "addressString": "859 Prague St, San Francisco, CA 94112-4516, United States", + "addressDetails": { + "Label": "859 Prague St, San Francisco, CA 94112-4516, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Crocker Amazon", + "PostalCode": "94112-4516", + "Street": "Prague St", + "StreetComponents": [ + { + "BaseName": "Prague", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "859" + }, + "geo": [-122.4347, 37.71021], + "geoBounds": [-122.43584, 37.70931, -122.43356, 37.71111] + }, + { + "addressString": "94112, San Francisco, CA, United States", + "addressDetails": { + "Label": "94112, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94112" + }, + "geo": [-122.43918, 37.72573], + "geoBounds": [-122.46857, 37.7077, -122.41695, 37.73651] + } + ], + "enrollment": "285", + "schoolCode": "593", + "ytLinks": [ + "https://www.youtube.com/embed/8fMQeQJ_IGE?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["8fMQeQJ_IGE"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Guadalupe Elementary School is a vibrant and inclusive learning community dedicated to embracing diversity and providing a well-rounded education that nurtures both academic excellence and personal growth.", + "bullets": [ + "Celebrates a diverse and inclusive school community.", + "Focuses on holistic child education, including social-emotional skills and physical well-being.", + "Offers a range of academic programs and extracurricular activities.", + "Provides robust technology, arts, and sports programs.", + "Engages families and communities in the educational journey." + ], + "programs": [ + { + "name": "After School Programs", + "description": "SHDP ExCEL afterschool program offers enriching activities at no cost for selected students in grades 2-5, focusing on fostering academic and personal development outside regular school hours." + }, + { + "name": "Language Programs", + "description": "Spanish Biliteracy Program aims to develop proficiency in both Spanish and English, fostering bilingual skills and cultural appreciation." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services provide specialized support for students with unique learning needs to ensure they succeed academically." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes access to a computer lab and technology teacher to enhance learning through digital literacy and cutting-edge technology integration." + }, + { + "name": "Arts Enrichment", + "description": "Artists in Residence initiative includes classes in music, visual arts, and dance, ensuring students have a creative outlet and appreciation for the arts." + }, + { + "name": "Student Support Programs", + "description": "Offer mentoring through social workers and student advisers to support students' socio-emotional needs and guide their personal development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Guad%20Logo.png", + "logoAltText": "Guadalupe Elementary School Logo", + "filePath": "guadalupe-elementary-school.png" + } + }, + { + "schoolStub": "harvey-milk-civil-rights-academy", + "schoolUrl": "https://www.sfusd.edu/school/harvey-milk-civil-rights-academy", + "schoolLabel": "Harvey Milk Civil Rights Academy", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/hmpledge.jpeg?itok=AU47wk5h", + "width": "256", + "height": "197", + "filePath": "public/school_img/harvey-milk-civil-rights-academy.jpeg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Castro/Upper Market", + "principal": "Charles Glover", + "locations": ["4235 19th Street", "San Francisco, California 94114"], + "phone": "415-241-6276", + "geolocations": [ + { + "addressString": "4235 19th St, San Francisco, CA 94114-2415, United States", + "addressDetails": { + "Label": "4235 19th St, San Francisco, CA 94114-2415, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Castro", + "PostalCode": "94114-2415", + "Street": "19th St", + "StreetComponents": [ + { + "BaseName": "19th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "4235" + }, + "geo": [-122.43647, 37.75892], + "geoBounds": [-122.43761, 37.75802, -122.43533, 37.75982] + }, + { + "addressString": "94114, San Francisco, CA, United States", + "addressDetails": { + "Label": "94114, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94114" + }, + "geo": [-122.43477, 37.75849], + "geoBounds": [-122.45288, 37.74739, -122.42493, 37.76963] + } + ], + "enrollment": "170", + "schoolCode": "505", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Harvey Milk Civil Rights Academy (HMCRA) is a vibrant public school in Castro, dedicated to developing well-rounded individuals through a student-centered curriculum that emphasizes literacy, science, arts, and social activism.", + "bullets": [ + "Emphasizes literacy and STEM through hands-on, inquiry-based learning.", + "Promotes global awareness and student activism through a robust social studies curriculum.", + "Offers a diverse range of arts programs including visual, performing, and instrumental music.", + "Provides comprehensive before and after school programs to support all students.", + "Advocates a strong parent and staff involvement in decision-making processes." + ], + "programs": [ + { + "name": "Culinary Arts Program", + "description": "An enriching program that teaches students cooking skills and home economics, enabling them to engage with culinary arts practically and creatively." + }, + { + "name": "Visual and Performing Arts Programs", + "description": "Diverse programs that include visual arts, instrumental music, drama, and theater, fostering creativity and artistic expression among students." + }, + { + "name": "Before School Program", + "description": "A program in partnership with Mission YMCA offering enriching activities from 7:30-9:30am to help students start their day with vigor." + }, + { + "name": "After School Program", + "description": "An after-school initiative also in collaboration with Mission YMCA, providing activities for students from 3:45-6:30pm (2:30-6:30pm on Wednesdays) to enhance their skills and interests beyond regular school hours." + }, + { + "name": "Technology-Enhanced Curriculum", + "description": "A curriculum integrated with technology, offering every student access to Chromebooks and enhancing learning through digital tools." + }, + { + "name": "Special Education Programs", + "description": "Comprehensive special education services including resource specialists, instructional support, and personalized student advisors for enhanced learning experiences." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/hmlogo_0.jpeg", + "logoAltText": "Harvey Milk Academy Logo", + "filePath": "harvey-milk-civil-rights-academy.jpeg" + } + }, + { + "schoolStub": "herbert-hoover-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/herbert-hoover-middle-school", + "schoolLabel": "Herbert Hoover Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_0962.JPG?itok=-Z23Yojr", + "width": "320", + "height": "240", + "filePath": "public/school_img/herbert-hoover-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "West of Twin Peaks", + "principal": "Adrienne Sullivan Smith", + "locations": ["2290 14th Avenue, San Francisco, California 94116"], + "phone": "415-759-2783", + "geolocations": [ + { + "addressString": "2290 14th Ave, San Francisco, CA 94116-1841, United States", + "addressDetails": { + "Label": "2290 14th Ave, San Francisco, CA 94116-1841, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Golden Gate Heights", + "PostalCode": "94116-1841", + "Street": "14th Ave", + "StreetComponents": [ + { + "BaseName": "14th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2290" + }, + "geo": [-122.46988, 37.7454], + "geoBounds": [-122.47102, 37.7445, -122.46874, 37.7463] + } + ], + "enrollment": "990", + "schoolCode": "607", + "ytLinks": [ + "https://www.youtube.com/embed/SNlISQKTr5s?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["SNlISQKTr5s"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Hoover Middle School is a beacon of academic and arts excellence, committed to nurturing technological skills and multicultural appreciation through diverse programs and community engagement.", + "bullets": [ + "Over 50 years of tradition in academic and visual & performing arts excellence.", + "Emphasis on hands-on learning experiences across various disciplines including STEAM and arts.", + "Comprehensive language programs in Chinese and Spanish immersion promoting multicultural understanding.", + "Dedicated family liaisons providing Spanish and Chinese translation services to enhance community inclusion.", + "Robust after-school programs and student support services including AVID, counseling, and athletics." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Early morning academic and enrichment programs designed to support students as a Beacon Community School." + }, + { + "name": "After School Programs", + "description": "The SNBC program offers a range of enrichment activities, supported by Bay Area Community Resources until 7 pm." + }, + { + "name": "Cantonese Secondary Dual Language Program", + "description": "A language immersion program aimed at fostering Cantonese language skills and cultural understanding." + }, + { + "name": "Spanish Secondary Dual Language Program", + "description": "An immersion program to promote Spanish language proficiency and multicultural awareness." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services including resource specialist support and separate class options for mild/moderate needs." + }, + { + "name": "SOAR", + "description": "A specialized program offering Success, Opportunity, Achievement, and Resiliency for students requiring emotional support." + }, + { + "name": "Arts Enrichment Programs", + "description": "Opportunities in band, choir, jazz, media arts, orchestra, theater, and visual arts for creative development." + }, + { + "name": "STEAM Program", + "description": "Courses integrating science, technology, engineering, arts, and mathematics to foster innovative thinking." + }, + { + "name": "Athletics Program", + "description": "Variety of sports offerings including baseball, basketball, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services including AVID, counseling, on-site nurse, and social worker services for holistic development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/black%20hawk_0_0.png", + "logoAltText": "Herbert Hoover Middle School Logo", + "filePath": "herbert-hoover-middle-school.png" + } + }, + { + "schoolStub": "hillcrest-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/hillcrest-elementary-school", + "schoolLabel": "Hillcrest Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_20161209_093353.jpg?itok=Mf-e5C3U", + "width": "320", + "height": "240", + "filePath": "public/school_img/hillcrest-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Excelsior", + "principal": "Patricia Theel", + "locations": ["810 Silver Avenue, San Francisco, California 94134"], + "phone": "415-469-4722", + "geolocations": [ + { + "addressString": "810 Silver Ave, San Francisco, CA 94134-1012, United States", + "addressDetails": { + "Label": "810 Silver Ave, San Francisco, CA 94134-1012, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Portola", + "PostalCode": "94134-1012", + "Street": "Silver Ave", + "StreetComponents": [ + { + "BaseName": "Silver", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "810" + }, + "geo": [-122.41913, 37.72881], + "geoBounds": [-122.42027, 37.72791, -122.41799, 37.72971] + } + ], + "enrollment": "450", + "schoolCode": "614", + "ytLinks": [ + "https://www.youtube.com/embed/6_IlP_b_yi4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["6_IlP_b_yi4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "At Hillcrest Elementary, we offer a nurturing and diverse educational environment where students can thrive through rigorous, relevant, and relational learning experiences.", + "bullets": [ + "Offers four standards-based instructional programs catering to diverse linguistic and cultural needs.", + "Encourages student reflection and presentation through portfolio development and end-of-year assessments.", + "Promotes a collaborative home-school partnership to support student success across academic and social domains.", + "Provides a variety of enrichment activities, including arts, science, and wellness programs.", + "Includes specialized language and special education programs to meet the diverse needs of students." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Mission YMCA offers after-school programs with transportation and a full-day summer program for up to 165 students. Prices are income-based, depending on lunch application." + }, + { + "name": "Language Programs", + "description": "Includes Cantonese Biliteracy Program and Spanish Biliteracy Program to support linguistic diversity." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes for mild/moderate needs to provide tailored support." + }, + { + "name": "Academic Enrichment", + "description": "Features Mission Science Workshop program and a variety of arts enrichment activities including gardening, instrumental music, and visual and performing arts." + }, + { + "name": "Student Support Programs", + "description": "Provides family liaison, health and wellness center, instructional coaching, mental health consulting, mentoring, and access to a social worker, on-site nurse, speech pathologist, and student adviser." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Hillcrest%20Logo.png", + "logoAltText": "Hillcrest Elementary School Logo", + "filePath": "hillcrest-elementary-school.png" + } + }, + { + "schoolStub": "hilltop-el-camino-alternativo-schools", + "schoolUrl": "https://www.sfusd.edu/school/hilltop-el-camino-alternativo-schools", + "schoolLabel": "Hilltop + El Camino Alternativo Schools", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["7-12"], + "neighborhood": "Mission", + "principal": "Elisa Villafuerte", + "locations": ["2730 Bryant Street, San Francisco, California 94110"], + "phone": "415-695-5606", + "geolocations": [ + { + "addressString": "2730 Bryant St, San Francisco, CA 94110-4226, United States", + "addressDetails": { + "Label": "2730 Bryant St, San Francisco, CA 94110-4226, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-4226", + "Street": "Bryant St", + "StreetComponents": [ + { + "BaseName": "Bryant", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2730" + }, + "geo": [-122.4091, 37.7507], + "geoBounds": [-122.41024, 37.7498, -122.40796, 37.7516] + } + ], + "schoolCode": "616", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Hilltop Special Service Center offers a unique educational environment dedicated to equipping students with the academic skills and support they need to graduate high school and excel as parents and future community leaders.", + "bullets": [ + "Provides a safe and supportive academic environment with access to prenatal, parenting, health, and emotional support services.", + "Offers open enrollment and continuous assessment to help students transition to comprehensive high schools.", + "Features a nursery providing child care for infants, supporting parenting students from the SFUSD district-wide.", + "Prioritizes holistic education through explicit instruction and differentiated teaching to enhance student resilience and responsibility.", + "Emphasizes community-building, self-advocacy, and readiness for college and career aspirations." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes for mild to moderate learning support needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Provides academic counseling, individualized learning plans, and credit recovery to help students meet graduation requirements." + }, + { + "name": "Career Technical Education (CTE) Academies", + "description": "Offers specialized training in Arts, Media and Entertainment, and Education, Child Development, and Family Services." + }, + { + "name": "College Counseling", + "description": "Includes academic and career counseling, college tours and visits, and workshops to prepare students for post-secondary education." + }, + { + "name": "Student Support Programs", + "description": "Encompasses advisory and counseling services, a health and wellness center with an on-site nurse, and access to a social worker." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Hilltop%20Logo.jpg", + "logoAltText": "Hilltop + El Camino Alternativo Schools Logo", + "filePath": "hilltop-el-camino-alternativo-schools.jpg" + } + }, + { + "schoolStub": "ida-b-wells-high-school", + "schoolUrl": "https://www.sfusd.edu/school/ida-b-wells-high-school", + "schoolLabel": "Ida B. Wells High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/wells-mosaic_470.png?itok=jW1pB2fq", + "width": "320", + "height": "181", + "filePath": "public/school_img/ida-b-wells-high-school.png" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Lower Haight/Western Addition", + "principal": "Katie Pringle", + "locations": ["1099 Hayes Street, San Francisco, California 94117"], + "phone": "415-241-6315", + "geolocations": [ + { + "addressString": "1099 Hayes St, San Francisco, CA 94117-1621, United States", + "addressDetails": { + "Label": "1099 Hayes St, San Francisco, CA 94117-1621, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Alamo Square", + "PostalCode": "94117-1621", + "Street": "Hayes St", + "StreetComponents": [ + { + "BaseName": "Hayes", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1099" + }, + "geo": [-122.43406, 37.77519], + "geoBounds": [-122.4352, 37.77429, -122.43292, 37.77609] + } + ], + "enrollment": "225", + "schoolCode": "743", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Ida B. Wells High School is an alternative institution dedicated to students aged 16 and older, offering a nurturing environment with smaller classes and credit recovery opportunities to help them complete their high school education.", + "bullets": [ + "Alternative high school setting tailored for students aged 16 and above.", + "Offers specialized programs including Culinary Arts, Drama, Robotics, and Ceramics.", + "Provides individualized attention with a small school community.", + "Diverse and dedicated staff ensuring supportive service for both students and families.", + "Strong focus on re-engagement through the Three A's: Attendance, Attitude, and Achievement." + ], + "programs": [ + { + "name": "Culinary Arts", + "description": "Students explore the art of cooking, learning both practical and theoretical aspects of culinary techniques." + }, + { + "name": "Drama Program", + "description": "Engages students in performing arts, fostering talent in acting, production, and stage management." + }, + { + "name": "Computer Applications and Robotics", + "description": "Teaches students about computer software applications and hands-on experience with building and programming robots." + }, + { + "name": "Ceramics Program", + "description": "Offers students the opportunity to work with clay and other materials to create pottery and sculptures." + }, + { + "name": "Surfing Program", + "description": "Combines physical education with skill development in surfing, providing students a unique athletic opportunity." + }, + { + "name": "After School Programs", + "description": "Offers academic tutoring, job readiness, recreational and athletic activities, and online courses for additional credit recovery." + }, + { + "name": "Language Programs", + "description": "Includes Spanish world language courses to enhance students' linguistic skills and cultural understanding." + }, + { + "name": "Special Education Programs", + "description": "Resources and services tailored to meet the needs of students with learning disabilities, including team-taught classes and paraeducator support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Comprehensive program that includes career technical education, college courses, work experience, and credit recovery options." + }, + { + "name": "Student Support Programs", + "description": "Provides advisory and counseling services, health and wellness center resources, mentoring, on-site nurses, and social worker support." + }, + { + "name": "College Counseling", + "description": "Guides students through the college application process with workshops, fairs, tours, and financial aid advice." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-04-10%20at%2011.32.34%20AM.png", + "logoAltText": "Ida B Wells Logo", + "filePath": "ida-b-wells-high-school.png" + } + }, + { + "schoolStub": "independence-high-school", + "schoolUrl": "https://www.sfusd.edu/school/independence-high-school", + "schoolLabel": "Independence High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_3067.jpg?itok=RguXVCpB", + "width": "320", + "height": "213", + "filePath": "public/school_img/independence-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Inner Sunset", + "principal": "Anastasia Klafter", + "locations": ["1350 7th Avenue, San Francisco, California 94122"], + "phone": "415-242-5000", + "geolocations": [ + { + "addressString": "1350 7th Ave, San Francisco, CA 94122-2508, United States", + "addressDetails": { + "Label": "1350 7th Ave, San Francisco, CA 94122-2508, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Parnassus", + "PostalCode": "94122-2508", + "Street": "7th Ave", + "StreetComponents": [ + { + "BaseName": "7th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1350" + }, + "geo": [-122.46388, 37.76309], + "geoBounds": [-122.46502, 37.76219, -122.46274, 37.76399] + } + ], + "enrollment": "220", + "schoolCode": "466", + "ytLinks": [ + "https://www.youtube.com/embed/kQHSgQD4XIk?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["kQHSgQD4XIk"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Independence High School in San Francisco offers a truly individualized education where students engage in self-determined learning through flexible schedules, project-based approaches, and a variety of unique programs tailored to their interests and needs.", + "bullets": [ + "Offers a highly flexible schedule to accommodate students' personal and professional commitments.", + "Incorporates project-based learning approaches to make education relevant and engaging for students.", + "Provides comprehensive student support through Advising, Wellness Center, and Learning Labs.", + "Facilitates concurrent enrollment with City College of San Francisco for high school and college credits.", + "Features a wide array of electives and Career Technical Education programs, including Media Arts and Visual Arts." + ], + "programs": [ + { + "name": "Project-Based Learning", + "description": "Embeds elements of authenticity, collaboration, inquiry, student voice, and choice into all classes to excite and engage students." + }, + { + "name": "Embedded Supports", + "description": "Individual advisors and the Wellness Center offer academic, organizational, and personal support, including college counseling and therapy referrals." + }, + { + "name": "Concurrent Enrollment", + "description": "Allows students to take classes at City College of San Francisco, earning both high school and college credits." + }, + { + "name": "Career Technical Education - Media Arts", + "description": "Focuses on podcasting and video production, with access to job training and internship opportunities." + }, + { + "name": "Art Electives", + "description": "Includes a range of visual art classes such as Ceramics, Drawing, Painting, and Mural Painting." + }, + { + "name": "Other Electives", + "description": "Offers diverse class options including Surfing, Computer Programming, Outdoor Education, Journalism, LGBTQIA Studies, and more." + }, + { + "name": "After School Programs", + "description": "Includes a variety of clubs and activities such as Outdoor Education, GSA Club, Mural Painting, and Student Union." + }, + { + "name": "Language Programs", + "description": "Provides Spanish language education alongside necessary special education services." + }, + { + "name": "Work Experience Education", + "description": "Links students with internships and job readiness programs to support career development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/independence%20final%20rays%20rgb.png", + "logoAltText": "Independence High School Logo", + "filePath": "independence-high-school.png" + } + }, + { + "schoolStub": "james-denman-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/james-denman-middle-school", + "schoolLabel": "James Denman Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/JDMS%20Student%20Peace%20Symbol.jpeg?itok=omGNqoso", + "width": "275", + "height": "183", + "filePath": "public/school_img/james-denman-middle-school.jpeg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Outer Mission", + "principal": "Jenny Ujiie", + "locations": ["241 Oneida Avenue, San Francisco, California 94112"], + "phone": "415-469-4535", + "geolocations": [ + { + "addressString": "241 Oneida Ave, San Francisco, CA 94112-3228, United States", + "addressDetails": { + "Label": "241 Oneida Ave, San Francisco, CA 94112-3228, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission Terrace", + "PostalCode": "94112-3228", + "Street": "Oneida Ave", + "StreetComponents": [ + { + "BaseName": "Oneida", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "241" + }, + "geo": [-122.44295, 37.7217], + "geoBounds": [-122.44409, 37.7208, -122.44181, 37.7226] + } + ], + "enrollment": "870", + "schoolCode": "632", + "ytLinks": [ + "https://www.youtube.com/embed/8Aa_f1cnDrQ?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["8Aa_f1cnDrQ"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "James Denman Middle School fosters a literate and independent learning community, committed to creating a non-competitive and supportive environment where each student can thrive academically and personally with a focus on character development and community involvement.", + "bullets": [ + "Safe, non-competitive environment tailored to individual student needs.", + "Strong focus on character development and student leadership opportunities.", + "Active partnerships with the community to enhance learning, including music and arts.", + "Comprehensive academic and extracurricular programs including STEAM, arts, and athletics.", + "Supportive school community with active parent and community participation." + ], + "programs": [ + { + "name": "ExCEL Program", + "description": "An after-school program available at no cost, operating Monday through Friday from 3:30 to 6:00 p.m." + }, + { + "name": "Special Education Programs", + "description": "Includes various programs such as Resource Specialist Program Services and specialized classes focusing on mild/moderate to moderate/severe needs, with an emphasis on students with autism." + }, + { + "name": "SOAR Program", + "description": "A program formerly known as ED (Emotionally Disturbed), focused on success, opportunity, achievement, and resiliency." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes academic counseling, college tours, leadership classes, STEAM, and technology-focused learning environments." + }, + { + "name": "Arts Enrichment", + "description": "Offers a range of electives such as media arts, visual arts, band, orchestra, and coding." + }, + { + "name": "Athletics Program", + "description": "Includes sports such as baseball, flag football, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Features programs like AVID for college readiness, college planning resources, health and wellness centers, mentoring, counseling, and more." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/denman%20logo.2.png", + "logoAltText": "Student Logo", + "filePath": "james-denman-middle-school.png" + } + }, + { + "schoolStub": "james-lick-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/james-lick-middle-school", + "schoolLabel": "James Lick Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/JamesLickFont.jpg?itok=pFVrs82m", + "width": "320", + "height": "180", + "filePath": "public/school_img/james-lick-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Noe Valley", + "principal": "Marisol Arkin", + "locations": ["1220 Noe Street, San Francisco, California 94114"], + "phone": "415-695-5675", + "geolocations": [ + { + "addressString": "1220 Noe St, San Francisco, CA 94114-3714, United States", + "addressDetails": { + "Label": "1220 Noe St, San Francisco, CA 94114-3714, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Noe Valley", + "PostalCode": "94114-3714", + "Street": "Noe St", + "StreetComponents": [ + { + "BaseName": "Noe", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1220" + }, + "geo": [-122.43194, 37.74945], + "geoBounds": [-122.43308, 37.74855, -122.4308, 37.75035] + } + ], + "enrollment": "450", + "schoolCode": "634", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "James Lick Middle School, located in Noe Valley, is a vibrant and diverse community that fosters student growth through comprehensive academic and enrichment programs, emphasizing Spanish immersion and the arts.", + "bullets": [ + "Located in the heart of Noe Valley, providing a culturally rich educational environment.", + "Offers a robust Spanish Immersion Program alongside a thriving Visual and Performing Arts Program.", + "Provides comprehensive after-school programs supported by the Jamestown Community Center, enhancing academic and personal development.", + "Equipped with 1:1 student Chromebooks to ensure students have access to digital learning resources.", + "Comprehensive support system including counselors, health services, and a dedicated mental health consultant." + ], + "programs": [ + { + "name": "Spanish Secondary Dual Language Program", + "description": "A program designed to immerse students in Spanish language and culture, promoting bilingualism and biliteracy." + }, + { + "name": "Visual and Performing Arts (VAPA)", + "description": "A program offering a variety of arts disciplines including art class, band, dance, and drama to enhance students' artistic talents." + }, + { + "name": "After School Programs", + "description": "Jamestown Community Center supports after-school initiatives providing academic and enrichment activities." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and SOAR, offering tailored support to students with diverse learning needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features 1:1 student Chromebooks, academic counseling, and library resources to bolster student learning." + }, + { + "name": "Athletics", + "description": "Offers a range of sports including baseball, basketball, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory, counseling, family support, health services, mentoring, and access to mental health resources." + }, + { + "name": "College Counseling", + "description": "Provides academic counseling, college tours, and visits to prepare students for higher education opportunities." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screenshot%202023-02-02%20at%201.47.24%20PM.png", + "logoAltText": "James Lick Middle School Logo", + "filePath": "james-lick-middle-school.png" + } + }, + { + "schoolStub": "jean-parker-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/jean-parker-elementary-school", + "schoolLabel": "Jean Parker Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/JP%20Drone%20Photo.jpg?itok=--RtmJe2", + "width": "320", + "height": "239", + "filePath": "public/school_img/jean-parker-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Chinatown, North Beach, Russian Hill", + "principal": "Sara Saldaña", + "locations": ["840 Broadway Street, San Francisco, California 94133"], + "phone": "415-291-7990", + "geolocations": [ + { + "addressString": "840 Broadway, San Francisco, CA 94133-4219, United States", + "addressDetails": { + "Label": "840 Broadway, San Francisco, CA 94133-4219, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "North Beach", + "PostalCode": "94133-4219", + "Street": "Broadway", + "StreetComponents": [ + { + "BaseName": "Broadway", + "Language": "en" + } + ], + "AddressNumber": "840" + }, + "geo": [-122.41103, 37.79762], + "geoBounds": [-122.41217, 37.79672, -122.40989, 37.79852] + } + ], + "enrollment": "125", + "schoolCode": "638", + "ytLinks": [ + "https://www.youtube.com/embed/jQOeI2VG_iU?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["jQOeI2VG_iU"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Jean Parker Community School is a vibrant and diverse educational institution located conveniently in San Francisco, offering a nurturing environment focused on academic excellence and social-emotional growth through a variety of enriching programs.", + "bullets": [ + "Located at the east end of the Broadway Tunnel, offering easy accessibility for families in San Francisco.", + "Strong emphasis on social-emotional development and academic achievement through arts and community events.", + "Dedicated and experienced teaching staff with a strong commitment to local community support.", + "Provides a wide range of after-school and student support programs, including academic tutoring and arts enrichment.", + "Focuses on core values of Joy, Relationships, Solidarity, and Self-Worth to foster a supportive community environment." + ], + "programs": [ + { + "name": "ExCel - Chinatown YMCA After School Program", + "description": "Offers a daily program until 5:30 PM including snacks, homework support, and enrichment activities, with fees based on family income." + }, + { + "name": "EED - OST After School Program", + "description": "Provides ongoing support and enrichment activities alongside academic support, with flexible fees based on income." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services to support students with unique learning needs throughout the school day." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes tutoring in various academic subjects to enhance school day learning." + }, + { + "name": "Arts Enrichment Program", + "description": "Features dance, visual arts, artist-in-residence opportunities, instrumental music, and the Adventures in Music program to foster creativity." + }, + { + "name": "Student Support Programs", + "description": "Comprises a family liaison, health and wellness center, on-site nurse, social worker, and speech pathologist to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/JP%20Bee%20Logo.jpg", + "logoAltText": "Jean Parker Elementary School Logo", + "filePath": "jean-parker-elementary-school.jpg" + } + }, + { + "schoolStub": "jefferson-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/jefferson-early-education-school", + "schoolLabel": "Jefferson Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK"], + "neighborhood": "Inner Sunset", + "principal": "Penelope Ho", + "locations": ["1350 25th Avenue, San Francisco, California 94122"], + "phone": "415-759-2852", + "geolocations": [ + { + "addressString": "1350 25th Ave, San Francisco, CA 94122-1525, United States", + "addressDetails": { + "Label": "1350 25th Ave, San Francisco, CA 94122-1525, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Sunset", + "PostalCode": "94122-1525", + "Street": "25th Ave", + "StreetComponents": [ + { + "BaseName": "25th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1350" + }, + "geo": [-122.48329, 37.76234], + "geoBounds": [-122.48443, 37.76144, -122.48215, 37.76324] + } + ], + "schoolCode": "948", + "ytLinks": [ + "https://www.youtube.com/embed/3wgMz6xsQxs?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["3wgMz6xsQxs"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Jefferson Early Education School, nestled in San Francisco's Sunset area, offers a nurturing and enriching preschool environment for children aged 3 to 5, combining multicultural sensitivity and a 'creative curriculum' approach to prepare students for Kindergarten.", + "bullets": [ + "Located in the vibrant Sunset area of San Francisco, fostering a community of learners.", + "Offers a 'creative curriculum' environmental approach aligned with California Preschool Learning Foundations.", + "Rich variety of classroom activities including cooking, gardening, and music.", + "Family engagement through various activities like open house pizza nights and cultural celebrations.", + "Dedicated programs for special education within integrated General Education classrooms." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Inclusive educational programs designed to meet the needs of all students, with an emphasis on integrating special education within the general education setting." + }, + { + "name": "Integrated General Education Class (PK only)", + "description": "Preschool classes that blend general education with special education to provide a supportive and inclusive environment for all pre-kindergarten students." + } + ] + } + }, + { + "schoolStub": "jefferson-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/jefferson-elementary-school", + "schoolLabel": "Jefferson Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Jefferson%20ES%20love%20and%20hope%202017.jpeg?itok=3Ug3CnLa", + "width": "320", + "height": "400", + "filePath": "public/school_img/jefferson-elementary-school.jpeg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Inner Sunset", + "principal": "Craig Berger", + "locations": ["1725 Irving Street", "San Francisco, California 94122"], + "phone": "415 759-2821", + "geolocations": [ + { + "addressString": "1725 Irving St, San Francisco, CA 94122-1815, United States", + "addressDetails": { + "Label": "1725 Irving St, San Francisco, CA 94122-1815, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Inner Sunset", + "PostalCode": "94122-1815", + "Street": "Irving St", + "StreetComponents": [ + { + "BaseName": "Irving", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1725" + }, + "geo": [-122.47654, 37.76314], + "geoBounds": [-122.47768, 37.76224, -122.4754, 37.76404] + }, + { + "addressString": "94122, San Francisco, CA, United States", + "addressDetails": { + "Label": "94122, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94122" + }, + "geo": [-122.46886, 37.76211], + "geoBounds": [-122.51136, 37.74925, -122.45603, 37.76694] + } + ], + "enrollment": "515", + "schoolCode": "644", + "ytLinks": [ + "https://www.youtube.com/embed/nLT9MAPCgSM?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["nLT9MAPCgSM"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Jefferson Elementary offers a unique blend of large school resources with a small school feel, focusing on dynamic community partnerships and personalized education that nurtures the diverse talents of its students.", + "bullets": [ + "Dynamic community partnerships enhance educational opportunities.", + "Curious and passionate teachers foster authentic learning experiences.", + "Arts and Sciences programs contribute significantly to student success.", + "Holistic and differentiated instruction meets individual student needs.", + "Students graduate as well-rounded citizens prepared for future success." + ], + "programs": [ + { + "name": "After School Programs", + "description": "SFUSD Early Education Department Out of School Time (OST) Program for K-5th grade available Monday, Tuesday, Thursday, Friday from 2:05-5:45pm, and Wednesday from 12:55-5:45pm. Additionally, the YMCA offers programs until 6:00pm." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services, Separate class for mild/moderate with autism focus, and Autism Focused SDC Classrooms for K-2 and 3-5." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features include computer carts, Education Outside, library access, Playworks, project-based learning, technology/computer lab, and a dedicated technology teacher." + }, + { + "name": "Arts Enrichment", + "description": "Offers arts residency programs including ceramics, choir, dance, gardening, performing arts, and Visual and Performing Arts (VAPA) with visual arts and drama." + }, + { + "name": "Student Support Programs", + "description": "Provides a social worker and social-emotional and culture climate support programs to enhance the school's learning environment." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Jefferson%20ES%20logo_0.jpg", + "logoAltText": "Jefferson Elementary School Logo", + "filePath": "jefferson-elementary-school.jpg" + } + }, + { + "schoolStub": "john-mclaren-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/john-mclaren-early-education-school", + "schoolLabel": "John McLaren Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Excelsior, Visitacion Valley", + "principal": "Anna Tobin-Wallis", + "locations": [ + "2055 Sunnydale Avenue East Building With No Mural, San Francisco, California 94134" + ], + "phone": "415-469-4519", + "geolocations": [ + { + "addressString": "2055 Sunnydale Ave, San Francisco, CA 94134-2698, United States", + "addressDetails": { + "Label": "2055 Sunnydale Ave, San Francisco, CA 94134-2698, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Excelsior", + "PostalCode": "94134-2698", + "Street": "Sunnydale Ave", + "StreetComponents": [ + { + "BaseName": "Sunnydale", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2055" + }, + "geo": [-122.42329, 37.71379], + "geoBounds": [-122.42443, 37.71289, -122.42215, 37.71469] + } + ], + "schoolCode": "950", + "ytLinks": [ + "https://www.youtube.com/embed/q86Bc2lmAdA?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["q86Bc2lmAdA"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "John McLaren Early Education School provides a nurturing environment with a focus on both cognitive and social-emotional development through a balanced curriculum and engaging outdoor spaces.", + "bullets": [ + "Diverse and inclusive community of families and staff fostering meaningful learning experiences.", + "The Creative Curriculum offers project-based learning and hands-on activities.", + "Flexible learning spaces include indoor learning centers and a beautiful outdoor garden area.", + "Dedicated movement room for physical play, ensuring active learning regardless of weather." + ], + "programs": [ + { + "name": "Transitional Kindergarten (TK) Program", + "description": "Bridges preschool and kindergarten practices, led by credentialed teachers to cater to each child's needs." + }, + { + "name": "Creative Curriculum", + "description": "A comprehensive, research-based curriculum featuring hands-on, project-based investigations." + }, + { + "name": "Integrated General Education Class (PK only)", + "description": "Provides integrated learning experiences for Pre-K students." + }, + { + "name": "PreK Special Day Class", + "description": "Special education program designed to meet the needs of Pre-K students who require additional support." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/JMESS%20Logo%20Update.png", + "logoAltText": "John McLaren Early Education School Logo", + "filePath": "john-mclaren-early-education-school.png" + } + }, + { + "schoolStub": "john-muir-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/john-muir-elementary-school", + "schoolLabel": "John Muir Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/muir.jpg?itok=ZeXxBEt2", + "width": "320", + "height": "240", + "filePath": "public/school_img/john-muir-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Lower Haight/Western Addition", + "principal": "Donald Frazier", + "locations": ["380 Webster Street, San Francisco, California 94117"], + "phone": "415-241-6335", + "geolocations": [ + { + "addressString": "380 Webster St, San Francisco, CA 94117-3512, United States", + "addressDetails": { + "Label": "380 Webster St, San Francisco, CA 94117-3512, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Hayes Valley", + "PostalCode": "94117-3512", + "Street": "Webster St", + "StreetComponents": [ + { + "BaseName": "Webster", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "380" + }, + "geo": [-122.42868, 37.77376], + "geoBounds": [-122.42982, 37.77286, -122.42754, 37.77466] + } + ], + "enrollment": "255", + "schoolCode": "650", + "ytLinks": [ + "https://www.youtube.com/embed/rnaAqxsk8UM?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/f151QCXX6ZU?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["rnaAqxsk8UM", "f151QCXX6ZU"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "John Muir School is an inclusive learning community dedicated to nurturing confident, independent learners prepared to excel academically and socially, with a strong emphasis on cultural diversity and interdisciplinary education.", + "bullets": [ + "Culturally diverse and relevant learning experiences.", + "Collaborative teaching practices aligned with Common Core standards.", + "Partnerships with San Francisco Ballet and Mission Science Center.", + "Adoption of the PAX Good Behavior Game and mindfulness programs.", + "Active parent engagement through the Parent Leadership Group." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Before-school care is provided for a nominal fee by the Beacon Program, allowing early drop-off for families." + }, + { + "name": "After School Programs", + "description": "Onsite afterschool care for K-5 students through Beacon Community YMCA with a sliding fee scale, offering extended learning and activities until 6:00 PM." + }, + { + "name": "Spanish Biliteracy Program", + "description": "A language program designed to foster bilingual skills in Spanish and English for students." + }, + { + "name": "Special Education Programs", + "description": "Inclusive programs including PreK Special Day Class and Resource Specialist Program Services to support students with special needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes computer lab access, literacy interventionists, and project-based learning to enhance learning during school hours." + }, + { + "name": "Arts Enrichment", + "description": "Programs in visual arts, dance, performing arts, and theater to cultivate creativity and artistic talent." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support through a family liaison, mentoring, on-site nurse, social worker, and therapist services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202020-09-10%20at%201.09.51%20PM.png", + "logoAltText": "John Muir Elementary School Logo", + "filePath": "john-muir-elementary-school.png" + } + }, + { + "schoolStub": "john-oconnell-high-school", + "schoolUrl": "https://www.sfusd.edu/school/john-oconnell-high-school", + "schoolLabel": "John O'Connell High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/BCT%20girl%202016.png?itok=3ffgombF", + "width": "320", + "height": "298", + "filePath": "public/school_img/john-oconnell-high-school.png" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Mission", + "principal": "Amy Abero", + "locations": ["2355 Folsom Street", "San Francisco, California 94110"], + "phone": "415-695-5370", + "geolocations": [ + { + "addressString": "2355 Folsom St, San Francisco, CA 94110-2010, United States", + "addressDetails": { + "Label": "2355 Folsom St, San Francisco, CA 94110-2010, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-2010", + "Street": "Folsom St", + "StreetComponents": [ + { + "BaseName": "Folsom", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2355" + }, + "geo": [-122.41454, 37.75956], + "geoBounds": [-122.41568, 37.75866, -122.4134, 37.76046] + }, + { + "addressString": "94110, San Francisco, CA, United States", + "addressDetails": { + "Label": "94110, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94110" + }, + "geo": [-122.41625, 37.73904], + "geoBounds": [-122.42851, 37.73202, -122.40283, 37.76573] + } + ], + "enrollment": "560", + "schoolCode": "651", + "ytLinks": [ + "https://www.youtube.com/embed/dHSG-DS_Vko?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["dHSG-DS_Vko"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "O'Connell High School offers a transformative educational experience, blending rigorous academics with career-focused labs and community support to prepare students for college and professional success.", + "bullets": [ + "Innovative project-based learning approach integrated with career-themed labs.", + "Comprehensive support services including a full-time nurse and a dedicated college and career team.", + "Students engage in AP courses and have opportunities for advanced research and internships.", + "Welcoming and inclusive community encouraging student and family involvement.", + "After school programs available until 6:00 PM, offering tutoring, clubs, athletics, and more." + ], + "programs": [ + { + "name": "Career-Themed Labs", + "description": "Offers labs in Entrepreneurship & Culinary Arts, Health & Behavioral Sciences, and Construction & Environmental Technology, with integrated college-preparatory academics and internships." + }, + { + "name": "After School Programs", + "description": "Includes tutoring, homework help, student-led clubs, athletics, Tech 21, and more, available daily after school hours." + }, + { + "name": "Language Programs", + "description": "Spanish World Language program available, enhancing language proficiency and cultural understanding." + }, + { + "name": "Special Education Programs", + "description": "ACCESS - Adult Transition Services and Resource Specialist Program, offering separate class options for mild/moderate needs." + }, + { + "name": "Academic Enrichment", + "description": "Features academic counseling, AP classes, project-based learning, and service learning for enhanced educational experience." + }, + { + "name": "Arts Enrichment", + "description": "Includes creative writing, media arts, performing arts, visual arts, and the Redelarte arts program, promoting artistic development." + }, + { + "name": "Student Support Programs", + "description": "Provides advisory, AVID, health and wellness center, mentoring, and family liaison services for comprehensive student support." + }, + { + "name": "Career Technical Education Academies", + "description": "Involves Building and Construction Trades, Energy/Environment/Utilities, Health Science/Medical Technology, and Hospitality/Travel/Tourism." + }, + { + "name": "College Counseling", + "description": "Offers 100% College Prep services, including academic counseling, personal statement workshops, and college tours." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/OC_sweatshirt_logo%20%281%29.png", + "logoAltText": "John O'Connell High School Logo", + "filePath": "john-oconnell-high-school.png" + } + }, + { + "schoolStub": "john-yehall-chin-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/john-yehall-chin-elementary-school", + "schoolLabel": "John Yehall Chin Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/JYC%20Award%20Logos_1.jpg?itok=0jMxCHGj", + "width": "320", + "height": "240", + "filePath": "public/school_img/john-yehall-chin-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "North Beach", + "principal": "Allen Lee", + "locations": ["350 Broadway, San Francisco, California 94133"], + "phone": "415-291-7946", + "geolocations": [ + { + "addressString": "350 Broadway, San Francisco, CA 94133-4503, United States", + "addressDetails": { + "Label": "350 Broadway, San Francisco, CA 94133-4503, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Telegraph Hill", + "PostalCode": "94133-4503", + "Street": "Broadway", + "StreetComponents": [ + { + "BaseName": "Broadway", + "Language": "en" + } + ], + "AddressNumber": "350" + }, + "geo": [-122.40308, 37.79845], + "geoBounds": [-122.40422, 37.79755, -122.40194, 37.79935] + } + ], + "enrollment": "275", + "schoolCode": "872", + "ytLinks": [ + "https://www.youtube.com/embed/QVoFTwoTFek?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["QVoFTwoTFek"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "John Yehall Chin is a small, welcoming school that prides itself on providing a well-rounded education, fostering a learning environment filled with care and innovation for students eager to transform the world.", + "bullets": [ + "Emphasizes efficiency and productivity alongside compassionate education.", + "Integrates technology seamlessly with traditional educational methods for effective communication with families.", + "Offers unique programs like the Lily Cai Chinese Cultural Dance and School Spirit Store.", + "Teachers possess in-depth knowledge of both content and human development to teach effectively.", + "Provides after-school programs in partnership with the Chinatown YMCA, offering homework help and enrichment activities." + ], + "programs": [ + { + "name": "Lily Cai Chinese Cultural Dance Program", + "description": "A weekly cultural dance program focused on enriching students with traditional Chinese dance forms." + }, + { + "name": "After School Programs", + "description": "Hosted by the Chinatown YMCA on-site, these programs offer homework assistance and enrichment activities for students from Monday to Friday." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services designed to assist students with special educational needs." + }, + { + "name": "Arts Enrichment Programs", + "description": "Various programs including arts residency, choir, dance, drumming, guitar, and instrumental music to foster artistic skills." + }, + { + "name": "Student Support Programs", + "description": "Provides essential support through services of a social worker and a student adviser." + }, + { + "name": "School Accountability Highlights", + "description": "Annual reports published by SFUSD offering access to data points and trends related to student achievements and school climate." + } + ] + } + }, + { + "schoolStub": "jose-ortega-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/jose-ortega-elementary-school", + "schoolLabel": "Jose Ortega Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/ortega_470.jpg?itok=K02HZth9", + "width": "320", + "height": "163", + "filePath": "public/school_img/jose-ortega-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Ocean View", + "principal": "Paula Antram", + "locations": ["400 Sargent Street, San Francisco, California 94132"], + "phone": "415-469-4726", + "geolocations": [ + { + "addressString": "400 Sargent St, San Francisco, CA 94132-3152, United States", + "addressDetails": { + "Label": "400 Sargent St, San Francisco, CA 94132-3152, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Ingleside Heights", + "PostalCode": "94132-3152", + "Street": "Sargent St", + "StreetComponents": [ + { + "BaseName": "Sargent", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "400" + }, + "geo": [-122.46652, 37.71636], + "geoBounds": [-122.46766, 37.71546, -122.46538, 37.71726] + } + ], + "enrollment": "415", + "schoolCode": "746", + "ytLinks": [ + "https://www.youtube.com/embed/IMcN0yN8r5E?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["IMcN0yN8r5E"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Jose Ortega Elementary School is a vibrant and culturally diverse educational institution that fosters a stimulating and inclusive environment, encouraging students to achieve their fullest potential through a variety of educational programs and family-engagement activities.", + "bullets": [ + "Offers Mandarin Immersion and Special Education programs to accommodate diverse learning needs.", + "Promotes a collaborative school climate with extensive family and community involvement opportunities.", + "Provides comprehensive student support services including mental health access, mentoring, and social work.", + "Integrates academic and enrichment activities such as arts, physical education, and science-linked gardening projects.", + "Hosts various enriching after-school programs through the on-site Stonestown YMCA." + ], + "programs": [ + { + "name": "Mandarin Dual Language Immersion", + "description": "Helps students develop Mandarin language skills through immersive learning experiences." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class and Resource Specialist Program Services, catering to children with Individual Education Plans." + }, + { + "name": "Computer Carts and English Literacy Interventionist", + "description": "Provides students with access to technology and targeted English literacy support during the school day." + }, + { + "name": "STEAM Education", + "description": "Focuses on Science, Technology, Engineering, Arts, and Mathematics, providing a well-rounded academic experience." + }, + { + "name": "Arts Enrichment", + "description": "Offers various artistic activities such as ceramics, instrumental music, and visual and performing arts for grades PreK-5." + }, + { + "name": "Social Awareness Initiatives", + "description": "Includes programs like penny and can drives to raise social consciousness among students." + }, + { + "name": "After-School YMCA Program", + "description": "An on-site program run by Stonestown YMCA that provides a nurturing and supportive environment for students after school hours." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/JOES-removebg-preview%202_2.png", + "logoAltText": "Jose Ortega Elementary School Logo", + "filePath": "jose-ortega-elementary-school.png" + } + }, + { + "schoolStub": "june-jordan-school-equity", + "schoolUrl": "https://www.sfusd.edu/school/june-jordan-school-equity", + "schoolLabel": "June Jordan School for Equity", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2023-10/Screenshot%202023-08-14%20at%201.58.01%20PM.png?itok=UraqSRjO", + "width": "320", + "height": "292", + "filePath": "public/school_img/june-jordan-school-equity.png" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Excelsior", + "principal": "Amanda Chui", + "locations": ["325 La Grande Avenue, San Francisco, California 94112"], + "phone": "415-452-4922", + "geolocations": [ + { + "addressString": "325 La Grande Ave, San Francisco, CA 94112-2866, United States", + "addressDetails": { + "Label": "325 La Grande Ave, San Francisco, CA 94112-2866, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Excelsior", + "PostalCode": "94112-2866", + "Street": "La Grande Ave", + "StreetComponents": [ + { + "BaseName": "La Grande", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "325" + }, + "geo": [-122.42539, 37.7195], + "geoBounds": [-122.42653, 37.7186, -122.42425, 37.7204] + } + ], + "enrollment": "250", + "schoolCode": "757", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "June Jordan School for Equity is a transformative educational institution dedicated to equity and social justice, actively preparing students to be change-makers in their communities, particularly serving working-class communities of color.", + "bullets": [ + "Founded through a community-driven effort by teachers, parents, and youth to address underserved students.", + "Emphasizes social justice, with a curriculum focused on developing independent thinkers and community leaders.", + "Core values of Respect, Integrity, Courage, and Humility (R.I.C.H.) guide educational practices and community interactions.", + "Innovative performance assessment system (YPAR) integrates classroom learning with real-world projects for graduation requirements.", + "Strong community connection with a focus on relationship-based accountability and student/family involvement." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Provides a wide array of opportunities for academic success and personal growth, including free supper, tech access, academic support, athletics, poetry/spoken word, and motorcycle mechanics." + }, + { + "name": "Language Programs", + "description": "Offers Spanish world language education and specialized programs focusing on mild/moderate autism support." + }, + { + "name": "Arts Enrichment", + "description": "Includes courses like ceramics, creative writing, gardening, media arts, performing arts, and visiting professional artists workshops." + }, + { + "name": "Student Support Programs", + "description": "Features access to a nurse, counseling, health and wellness center, mentoring, and peer resources." + }, + { + "name": "Career Technical Education Academies", + "description": "Covers fields such as agriculture, arts, business, engineering, health sciences, IT, and more, providing career-focused learning experiences." + }, + { + "name": "College Counseling", + "description": "Offers academic counseling, financial aid workshops, college tours, personal statement workshops, and access to partnerships with local colleges." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screenshot%202023-08-14%20at%201.58.01%20PM.png", + "logoAltText": "June Jordan School for Equity Logo", + "filePath": "june-jordan-school-equity.png" + } + }, + { + "schoolStub": "junipero-serra-annex-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/junipero-serra-annex-early-education-school", + "schoolLabel": "Junipero Serra Annex Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Bernal Heights", + "principal": "Danielle Loughridge", + "locations": ["155 Appleton Avenue, San Francisco, California 94110"], + "phone": "415-920-5138", + "geolocations": [ + { + "addressString": "155 Appleton Ave, San Francisco, CA 94110-5806, United States", + "addressDetails": { + "Label": "155 Appleton Ave, San Francisco, CA 94110-5806, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bernal Heights", + "PostalCode": "94110-5806", + "Street": "Appleton Ave", + "StreetComponents": [ + { + "BaseName": "Appleton", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "155" + }, + "geo": [-122.4223, 37.73845], + "geoBounds": [-122.42344, 37.73755, -122.42116, 37.73935] + } + ], + "ytLinks": [ + "https://www.youtube.com/embed/08LibDLE75U?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["08LibDLE75U"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "SFUSD Early Education Department serves as the district's gateway to lifelong learning, offering a joyful and developmentally appropriate environment that prepares children for academic success through a blend of creative curriculum and social-emotional learning.", + "bullets": [ + "Follows the Creative Curriculum for Preschool, promoting joyful and developmentally appropriate learning.", + "Aligns with California Preschool Learning Standards and SFUSD Core Curriculum.", + "Includes a robust preschool program with hours from 7:30 a.m. to 5:30 p.m., focusing on socialization, problem-solving, and confidence building.", + "Offers a Transitional Kindergarten program designed to bridge preschool and traditional kindergarten learning environments.", + "Provides the Out Of School Time (OST) program with enrichment classes and opportunities for subsidized tuition." + ], + "programs": [ + { + "name": "Preschool Program", + "description": "Offers a full-day schedule with opportunities for socialization, problem-solving, reading, and writing skills development, aligned with state standards." + }, + { + "name": "Transitional Kindergarten (TK) Program", + "description": "Bridges the preschool learning environment with kindergarten, taught by multiple subject-credentialed teachers to meet individual student needs." + }, + { + "name": "Out Of School Time (OST) Program", + "description": "Provides enrichment classes after school with full-day sessions during breaks, available at subsidized rates based on family size and income." + } + ] + } + }, + { + "schoolStub": "junipero-serra-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/junipero-serra-elementary-school", + "schoolLabel": "Junipero Serra Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2BoysReading2.jpg?itok=8fAv-VI5", + "width": "320", + "height": "236", + "filePath": "public/school_img/junipero-serra-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Bernal Heights", + "principal": "Katerina Palomares", + "locations": ["625 Holly Park Circle, San Francisco, California 94110"], + "phone": "415-695-5685", + "geolocations": [ + { + "addressString": "625 Holly Park Cir, San Francisco, CA 94110-5815, United States", + "addressDetails": { + "Label": "625 Holly Park Cir, San Francisco, CA 94110-5815, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bernal Heights", + "PostalCode": "94110-5815", + "Street": "Holly Park Cir", + "StreetComponents": [ + { + "BaseName": "Holly Park", + "Type": "Cir", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "625" + }, + "geo": [-122.42124, 37.73667], + "geoBounds": [-122.42238, 37.73577, -122.4201, 37.73757] + } + ], + "enrollment": "320", + "schoolCode": "656", + "ytLinks": [ + "https://www.youtube.com/embed/g9I2qJAx9XY?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["g9I2qJAx9XY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Junipero Serra Elementary School is a vibrant community-focused public school in the picturesque Bernal Heights area, dedicated to nurturing a diverse student population with a comprehensive and culturally inclusive education.", + "bullets": [ + "Located adjacent to the scenic Bernal Heights public park and near the local library, offering a picturesque learning environment.", + "Diverse community fostering cultural pride and encouraging lifelong learning among students.", + "Strong emphasis on community through Caring Schools Community meetings and home-side activities connecting parents and students.", + "Wide range of programs including after school and language initiatives, catering to varied student needs and interests.", + "Annual reviews and data-driven strategies to nurture academic and social-emotional success among students." + ], + "programs": [ + { + "name": "After School Success Club (ExCEL After School Program)", + "description": "Offered at no cost from 2:30 to 6:00 PM, providing opportunities for students to engage in supervised activities after school." + }, + { + "name": "SFUSD Early Education Department Out of School Time Program", + "description": "Program for K-5th grade students running from 2:30PM-5:30PM, and full day during Spring Break & Summer, designed to enrich students' out-of-school time." + }, + { + "name": "Spanish Biliteracy Program", + "description": "A language program focusing on developing proficiency in both English and Spanish, enhancing bilingual capabilities." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special Education services aimed at providing targeted assistance for students with learning differences or disabilities." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes access to a computer lab and technology teacher to enhance students' academic experience through innovative learning methods." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/SerraLogo.jpg", + "logoAltText": "Junipero Serra Elementary School Logo", + "filePath": "junipero-serra-elementary-school.jpg" + } + }, + { + "schoolStub": "lafayette-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/lafayette-elementary-school", + "schoolLabel": "Lafayette Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/lafayette.jpg?itok=x4QYnSB1", + "width": "320", + "height": "427", + "filePath": "public/school_img/lafayette-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Outer Richmond", + "principal": "Krishna Kassebaum", + "locations": ["4545 Anza Street, San Francisco, California 94121"], + "phone": "415-750-8483", + "geolocations": [ + { + "addressString": "4545 Anza St, San Francisco, CA 94121-2621, United States", + "addressDetails": { + "Label": "4545 Anza St, San Francisco, CA 94121-2621, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Richmond", + "PostalCode": "94121-2621", + "Street": "Anza St", + "StreetComponents": [ + { + "BaseName": "Anza", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "4545" + }, + "geo": [-122.49719, 37.77747], + "geoBounds": [-122.49833, 37.77657, -122.49605, 37.77837] + } + ], + "enrollment": "565", + "schoolCode": "664", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Lafayette School is a vibrant educational community in the Outer Richmond area, offering a multicultural curriculum and specialized programs for a diverse student body, including those with special needs and hearing impairments.", + "bullets": [ + "Celebrates the rich cultural heritage of its diverse student population with events like Multicultural Night and Black History Month.", + "Offers specialized education programs for pre-K through fifth grade hearing impaired students.", + "Features a variety of after-school programs, including fee-based and community-led initiatives.", + "Strong emphasis on arts enrichment with programs in dance, drama, visual arts, and instrumental music.", + "Active Parent Teacher Association that fosters community through events like the Halloween Carnival and Book Fair." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers RDNC and YMCA programs from 1:50 to 6:00 p.m. for grades K-5, providing limited spaces for community and fee-based enrichment." + }, + { + "name": "Special Education Programs", + "description": "Includes the Resource Specialist Program and separate auditory/oral classes tailored for pre-K to fifth graders who are deaf or hard of hearing." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features a library and outdoor education activities along with STEAM (science, technology, engineering, arts, mathematics) programs." + }, + { + "name": "Arts Enrichment Programs", + "description": "Encompasses dance, drama, visual and performing arts, and instrumental music, fostering an environment rich in cultural and artistic learning." + }, + { + "name": "Student Support Programs", + "description": "Provides mentoring, social workers, speech pathologists, student advisors, and therapists to support the comprehensive development of students." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/lafayette-dolphins_02_220516_FINAL-2%20%28dragged%29.jpg", + "logoAltText": "Lafayette Elementary School Logo", + "filePath": "lafayette-elementary-school.jpg" + } + }, + { + "schoolStub": "lakeshore-alternative-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/lakeshore-alternative-elementary-school", + "schoolLabel": "Lakeshore Alternative Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Lakeshore%20ES.jpg?itok=z3CDKwJa", + "width": "320", + "height": "427", + "filePath": "public/school_img/lakeshore-alternative-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Lakeshore", + "principal": "Matthew Hartford", + "locations": ["220 Middlefield Drive, San Francisco, California 94132"], + "phone": "415-759-2825", + "geolocations": [ + { + "addressString": "220 Middlefield Dr, San Francisco, CA 94132-1418, United States", + "addressDetails": { + "Label": "220 Middlefield Dr, San Francisco, CA 94132-1418, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Stonestown", + "PostalCode": "94132-1418", + "Street": "Middlefield Dr", + "StreetComponents": [ + { + "BaseName": "Middlefield", + "Type": "Dr", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "220" + }, + "geo": [-122.48581, 37.73057], + "geoBounds": [-122.48695, 37.72967, -122.48467, 37.73147] + } + ], + "enrollment": "530", + "schoolCode": "670", + "ytLinks": [ + "https://www.youtube.com/embed/lAQBfbrPCmk?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["lAQBfbrPCmk"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Lakeshore Elementary is a vibrant and diverse school located in the picturesque area of Lake Merced, San Francisco, dedicated to preparing students academically, socially, and emotionally for middle school and beyond.", + "bullets": [ + "Strong partnerships with Lowell High School and San Francisco State University provide students with expanded learning opportunities.", + "A focus on social and emotional well-being with dedicated full-time School Social Worker and Elementary Adviser staff available.", + "Diverse after-school programs, including an ExCEL program and a Mandarin language program, cater to a wide range of interests and needs.", + "Comprehensive enrichment opportunities in STEAM, arts, athletics, and literacy enrich the school day.", + "A commitment to inclusive education through specialized programs for students with autism and other needs." + ], + "programs": [ + { + "name": "Before School Programs ExCEL", + "description": "Offers morning supervision and activities for students from 8:00 to 9:30 am." + }, + { + "name": "After School Programs ExCEL", + "description": "Provides after-school care and activities for students in grades K-5 from 3:30 to 6:30 pm." + }, + { + "name": "Mandarin Language After-School Program", + "description": "Offers Mandarin language learning for students from 3:45 to 5:15 pm." + }, + { + "name": "Special Education Programs - Resource Specialist Program Services", + "description": "Dedicated programs focusing on mild/moderate needs with an emphasis on autism support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes access to computer carts, English literacy intervention, Playworks, and STEAM projects." + }, + { + "name": "Arts Enrichment Programs", + "description": "Features a variety of artistic opportunities including ceramics, dance, drumming, and more." + }, + { + "name": "Student Support Programs", + "description": "Includes mentoring and access to a student social worker and adviser." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/leopard_Lakeshore_weblogo_transparent.gif", + "logoAltText": "Lakeshore Alternative Elementary School Logo", + "filePath": "lakeshore-alternative-elementary-school.gif" + } + }, + { + "schoolStub": "lawton-alternative-school-k-8", + "schoolUrl": "https://www.sfusd.edu/school/lawton-alternative-school-k-8", + "schoolLabel": "Lawton Alternative School (K-8)", + "image": null, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["TK", "K", "1-8"], + "neighborhood": "Outer Sunset", + "principal": "Armen Sedrakian", + "locations": ["1570 31st Avenue, San Francisco, California 94122"], + "phone": "415-759-2832", + "geolocations": [ + { + "addressString": "1570 31st Ave, San Francisco, CA 94122-3104, United States", + "addressDetails": { + "Label": "1570 31st Ave, San Francisco, CA 94122-3104, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Sunset", + "PostalCode": "94122-3104", + "Street": "31st Ave", + "StreetComponents": [ + { + "BaseName": "31st", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1570" + }, + "geo": [-122.48909, 37.75805], + "geoBounds": [-122.49023, 37.75715, -122.48795, 37.75895] + } + ], + "enrollment": "615", + "schoolCode": "676", + "ytLinks": [ + "https://www.youtube.com/embed/qtpkmG7p11k?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["qtpkmG7p11k"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Lawton Alternative School fosters a nurturing and engaging environment that promotes academic excellence, personal growth, and a strong sense of community, encouraging students to thrive through creativity and service.", + "bullets": [ + "Dedicated to the holistic development of students through respect, responsibility, and compassion.", + "Offers enriched educational experiences with programs in STEAM, arts enrichment, athletics, and student support services.", + "Highly committed to family engagement through regular communication and comprehensive progress reports.", + "Responsive classroom environments that cater to diverse learners, promoting critical thinking and teamwork.", + "Annual assessments and climate surveys to ensure positive academic achievement and a supportive school culture." + ], + "programs": [ + { + "name": "Before and After School Programs", + "description": "BACR before and after school programs offer both fee and no-fee services for grades K-8, providing additional academic and recreational opportunities outside regular school hours." + }, + { + "name": "Special Education Programs", + "description": "Includes the Resource Specialist Program Services and separate classes for moderate/severe cases, focusing on individualized support and inclusivity." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features 1:1 student Chromebooks, computer carts, English literacy intervention, leadership classes, and the Mission Science Workshop program for enhanced learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "A comprehensive arts program with ceramics, dance, gardening, performing arts, and theater, facilitated by artists-in-residency and partnerships with prestigious organizations like the San Francisco Ballet and Symphony." + }, + { + "name": "Athletics", + "description": "A diverse athletics program offering sports such as baseball, basketball, soccer, softball, track and field, and volleyball, promoting physical education and teamwork." + }, + { + "name": "Student Support Programs", + "description": "Includes access to a nurse, advisory sessions, after-school tutorials, counselor services, instructional coaching, social work, and speech pathology, ensuring well-rounded student support." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/676_CA_Distinguished_School_0.png", + "logoAltText": "Lawton Alternative School (K8) Logo", + "filePath": "lawton-alternative-school-k-8.png" + } + }, + { + "schoolStub": "leola-m-havard-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/leola-m-havard-early-education-school", + "schoolLabel": "Leola M. Havard Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK"], + "neighborhood": "Bayview", + "principal": "Kamael Burch", + "locations": ["1360 Oakdale Avenue, San Francisco, California 94124"], + "phone": "415-695-5660", + "geolocations": [ + { + "addressString": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "addressDetails": { + "Label": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bayview", + "PostalCode": "94124-2724", + "Street": "Oakdale Ave", + "StreetComponents": [ + { + "BaseName": "Oakdale", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1360" + }, + "geo": [-122.38563, 37.7319], + "geoBounds": [-122.38677, 37.731, -122.38449, 37.7328] + } + ], + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Leola M. Havard Early Education School is dedicated to fostering active participatory learning for young children, guided by the HighScope Educational Approach and supported by a skilled, credentialed, and bilingual teaching staff.", + "bullets": [ + "Adopts the HighScope Educational Approach prioritizing hands-on, exploratory learning based on students' interests.", + "Committed and credentialed staff enhance learning through personalized attention and school-home collaboration.", + "Offers comprehensive special education support and various therapeutic services.", + "Provides both before and after school programs with options for distance learning.", + "Serves children ages 2 years and 9 months to 5 years old with free or reduced-cost options for eligible families." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Accommodates students from 7:30 a.m. until their school buses arrive to transport them to their elementary schools. Not available during distance learning periods." + }, + { + "name": "After School Programs", + "description": "Includes the Out-of-School Time (OST) program, offering enrichment classes and full-day sessions during breaks. Open to elementary students and available via distance learning." + }, + { + "name": "Integrated General Education Class", + "description": "Special education programs specifically for Pre-Kindergarten students, designed to support inclusive learning environments." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Leola%20Havard%20EES.png", + "logoAltText": "Leola M. Havard Early Education School Logo", + "filePath": "leola-m-havard-early-education-school.png" + } + }, + { + "schoolStub": "leonard-r-flynn-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/leonard-r-flynn-elementary-school", + "schoolLabel": "Leonard R. Flynn Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/flynn.jpg?itok=h2mm1O3K", + "width": "320", + "height": "213", + "filePath": "public/school_img/leonard-r-flynn-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Bernal Heights, Mission", + "principal": "Tyler Woods", + "locations": ["3125 Cesar Chavez Street, San Francisco, California 94110"], + "phone": "415-695-5770", + "geolocations": [ + { + "addressString": "3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States", + "addressDetails": { + "Label": "3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bernal Heights", + "PostalCode": "94110-4722", + "Street": "Cesar Chavez St", + "StreetComponents": [ + { + "BaseName": "Cesar Chavez", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3125" + }, + "geo": [-122.41203, 37.74812], + "geoBounds": [-122.41317, 37.74722, -122.41089, 37.74902] + } + ], + "enrollment": "400", + "schoolCode": "680", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Flynn Elementary is a community-focused TK-5 school in San Francisco's Mission district, committed to providing a culturally responsive, high-quality education for all students in a supportive and inclusive environment.", + "bullets": [ + "Located in the vibrant Mission district, fostering a diverse and inclusive school community.", + "Offers a rigorous, culturally sensitive instructional program promoting language development and social/emotional growth.", + "Strong focus on social justice with a robust home-school connection to support student well-being and learning.", + "Collaborative environment with mutual respect and open communication between staff, parents, and the broader community.", + "Dedicated to nurturing compassionate, innovative learners prepared for future leadership roles." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes onsite Mission Graduates program and offsite options like Mariposa Kids and Precita Center, providing extended learning and care opportunities." + }, + { + "name": "Language Programs", + "description": "Spanish Dual Language Immersion to promote bilingual proficiency and cultural understanding." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services offering tailored support for students with special needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Featuring computer carts, a library, literacy interventionists, and the Mission Science Workshop program to enhance learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "Offers a range of artistic activities including arts residency, dance, drumming, gardening, and visual arts to foster creativity." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services including family liaison, health and wellness center, mentoring, onsite nurse, social worker, student adviser, and therapist to ensure student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/SFUSD%20logo.jpeg", + "logoAltText": "Leonard R. Flynn Elementary School Logo", + "filePath": "leonard-r-flynn-elementary-school.jpeg" + } + }, + { + "schoolStub": "longfellow-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/longfellow-elementary-school", + "schoolLabel": "Longfellow Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Screen%20Shot%202017-04-12%20at%2011.14.11%20AM.png?itok=9axSgJZW", + "width": "320", + "height": "251", + "filePath": "public/school_img/longfellow-elementary-school.png" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Outer Mission", + "principal": "Kath Cuellar Burns", + "locations": ["755 Morse Street, San Francisco, California 94112"], + "phone": "415-469-4730", + "geolocations": [ + { + "addressString": "755 Morse St, San Francisco, CA 94112-4223, United States", + "addressDetails": { + "Label": "755 Morse St, San Francisco, CA 94112-4223, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Crocker Amazon", + "PostalCode": "94112-4223", + "Street": "Morse St", + "StreetComponents": [ + { + "BaseName": "Morse", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "755" + }, + "geo": [-122.44755, 37.71028], + "geoBounds": [-122.44869, 37.70938, -122.44641, 37.71118] + } + ], + "enrollment": "480", + "schoolCode": "691", + "ytLinks": [ + "https://www.youtube.com/embed/OKlUlyYE5WI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["OKlUlyYE5WI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Longfellow Elementary School, with a rich history of 140 years in the outer Mission district, is committed to nurturing globally aware, life-long learners equipped with academic, social, and artistic skills.", + "bullets": [ + "Focus on educating the whole child and empowering families with a comprehensive approach.", + "Strong emphasis on cultural awareness and social responsibility, fostering a sense of community and pride.", + "Wide range of enrichment programs including arts, STEAM, and language classes.", + "Comprehensive student support with access to healthcare professionals and social services.", + "Diverse language programs catering to a multicultural student body." + ], + "programs": [ + { + "name": "Before School Program - Jamestown: Phoenix Risers", + "description": "Offers early morning supervision and enrichment activities from 7:00 AM to 9:30 AM." + }, + { + "name": "After School Programs", + "description": "On-site Jamestown program available until 6 PM; off-campus options include Our Kids First, Pin@y Educational Partnerships (PEP), and Boys and Girls Club." + }, + { + "name": "Language Programs", + "description": "Includes the Filipino FLES Program and Spanish Biliteracy Program, aimed at fostering biliteracy and language skills in students regardless of proficiency." + }, + { + "name": "Special Education Programs", + "description": "Offers Resource Specialist Program Services, separate classes, and separate day classes for mild/moderate needs in grades K-5." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features resources like computer carts, a library, and a STEAM program enhancing science, technology, engineering, arts, and mathematics education." + }, + { + "name": "Arts Enrichment Programs", + "description": "Includes art classes, coding, dance, and music programs to support artistic expression and creativity." + }, + { + "name": "Student Support Programs", + "description": "Provides access to a nurse, family liaison, and social worker to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Long-Fellow-Artwork-Jpeg%20copy.jpg", + "logoAltText": "Longfellow Elementary School Logo", + "filePath": "longfellow-elementary-school.jpg" + } + }, + { + "schoolStub": "lowell-high-school", + "schoolUrl": "https://www.sfusd.edu/school/lowell-high-school", + "schoolLabel": "Lowell High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Lowell%20Building%20004.JPG?itok=Or32dsNj", + "width": "320", + "height": "240", + "filePath": "public/school_img/lowell-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Lakeshore", + "principal": "Jan Bautista", + "locations": ["1101 Eucalyptus Drive, San Francisco, California 94132"], + "phone": "415-759-2730", + "geolocations": [ + { + "addressString": "1101 Eucalyptus Dr, San Francisco, CA 94132-1401, United States", + "addressDetails": { + "Label": "1101 Eucalyptus Dr, San Francisco, CA 94132-1401, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Stonestown", + "PostalCode": "94132-1401", + "Street": "Eucalyptus Dr", + "StreetComponents": [ + { + "BaseName": "Eucalyptus", + "Type": "Dr", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1101" + }, + "geo": [-122.48392, 37.73068], + "geoBounds": [-122.48506, 37.72978, -122.48278, 37.73158] + } + ], + "enrollment": "2668", + "schoolCode": "697", + "ytLinks": [ + "https://www.youtube.com/embed/c4BiiF55SvU?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["c4BiiF55SvU"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Established in 1856, Lowell High School in San Francisco is a prestigious public school known for its high academic performance and comprehensive programs, offering students a rich array of educational, extracurricular, and support opportunities.", + "bullets": [ + "Ranked as one of the highest performing public high schools in California, with numerous national and state accolades.", + "Provides over 100 active clubs and service organizations, enhancing student engagement and development.", + "Offers a broad athletic program with 32 teams across 27 sports, promoting physical well-being and teamwork.", + "Features the largest Visual and Performing Arts Department in San Francisco, fostering creativity and artistic skills.", + "Supports students with a comprehensive wellness and peer resource program, ensuring academic and personal growth." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes a range of extracurricular activities available from 3:50-5:00 p.m., including nearly 100 clubs and various competitive sports teams." + }, + { + "name": "Language Programs", + "description": "Offers courses in eight languages: French, Hebrew, Italian, Japanese, Korean, Latin, Mandarin, and Spanish." + }, + { + "name": "Special Education Programs", + "description": "Provides specialized services such as ACCESS - Adult Transition Services, Resource Specialist Programs, and various classroom settings for mild to severe disabilities, including autism-focused classes." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes advanced courses such as AP and honors classes, college-level courses, project-based learning, and tutoring services." + }, + { + "name": "Arts Enrichment", + "description": "Offers variety in arts education, including visual arts, music (band, choir, jazz), performing arts, dance, drama, theater tech, and more." + }, + { + "name": "Athletics", + "description": "Comprehensive sports program with activities such as badminton, basketball, fencing, football, swimming, and more." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory, counseling, health and wellness services, and mentoring to support student well-being." + }, + { + "name": "Career Technical Education Academies", + "description": "Focuses on pathways such as culinary and technical education, preparing students for career opportunities." + }, + { + "name": "College Counseling", + "description": "Provides comprehensive guidance with college preparations including applications, financial aid, and college visits." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/FiatScientia-blueribbon.png", + "logoAltText": "Lowell High School Logo", + "filePath": "lowell-high-school.png" + } + }, + { + "schoolStub": "malcolm-x-academy-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/malcolm-x-academy-elementary-school", + "schoolLabel": "Malcolm X Academy Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Malcolm%20X%20%28new%20pic%202%29.jpg?itok=lXeP4MEi", + "width": "320", + "height": "240", + "filePath": "public/school_img/malcolm-x-academy-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Bayview", + "principal": "Matthew Fitzsimmon", + "locations": ["350 Harbor Road, San Francisco, California 94124"], + "phone": "415-695-5950", + "geolocations": [ + { + "addressString": "350 Harbor Rd, San Francisco, CA 94124-2474, United States", + "addressDetails": { + "Label": "350 Harbor Rd, San Francisco, CA 94124-2474, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Hunters Point", + "PostalCode": "94124-2474", + "Street": "Harbor Rd", + "StreetComponents": [ + { + "BaseName": "Harbor", + "Type": "Rd", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "350" + }, + "geo": [-122.38101, 37.73422], + "geoBounds": [-122.38215, 37.73332, -122.37987, 37.73512] + } + ], + "enrollment": "115", + "schoolCode": "830", + "ytLinks": [ + "https://www.youtube.com/embed/VI_FUD_IkPQ?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/VI_FUD_IkPQ?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["VI_FUD_IkPQ", "VI_FUD_IkPQ"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Malcolm X Academy, situated in the vibrant Bayview community of San Francisco, empowers students through an inclusive, supportive, and culturally rich environment, fostering both academic excellence and personal growth.", + "bullets": [ + "Dedicated to developing students' intellectual, social, emotional, and physical capacities.", + "Provides a caring and safe learning environment with small class sizes.", + "Strong emphasis on creativity, self-discipline, and citizenship.", + "Collaborative community school actively involving students and families.", + "Diverse teaching methods and high expectations to inspire lifelong learning." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers extended learning opportunities through the Boys and Girls Club, providing activities from Monday to Friday." + }, + { + "name": "Special Education Programs", + "description": "Includes a Learning Center and Resource Specialist Program Services focused on personalized support for students with special needs." + }, + { + "name": "Academic Enrichment", + "description": "Features computer carts, individual learning plans, and the innovative Mission Science Workshop program." + }, + { + "name": "STEAM Program", + "description": "Integrates science, technology, engineering, arts, and mathematics to enhance student engagement and achievement." + }, + { + "name": "Arts Enrichment", + "description": "Offers classes in art, dance, instrumental music, and the Visual and Performing Arts (VAPA) to cultivate student creativity." + }, + { + "name": "Student Support Programs", + "description": "Provides comprehensive support through family liaison, instructional coaches, mental health consultants, mentors, and healthcare professionals." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/MX%20ES%20school%20logo%202.jpg", + "logoAltText": "Malcolm X Academy Elementary School Logo", + "filePath": "malcolm-x-academy-elementary-school.jpg" + } + }, + { + "schoolStub": "marina-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/marina-middle-school", + "schoolLabel": "Marina Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/marina.jpg?itok=A3tPgerG", + "width": "320", + "height": "427", + "filePath": "public/school_img/marina-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Marina", + "principal": "Michael Harris", + "locations": ["3500 Fillmore Street, San Francisco, California 94123"], + "phone": "415-749-3495", + "geolocations": [ + { + "addressString": "3500 Fillmore St, San Francisco, CA 94123-2103, United States", + "addressDetails": { + "Label": "3500 Fillmore St, San Francisco, CA 94123-2103, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Marina", + "PostalCode": "94123-2103", + "Street": "Fillmore St", + "StreetComponents": [ + { + "BaseName": "Fillmore", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3500" + }, + "geo": [-122.43547, 37.80182], + "geoBounds": [-122.43661, 37.80092, -122.43433, 37.80272] + } + ], + "enrollment": "808", + "schoolCode": "708", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Marina Middle School is a thriving educational community committed to fostering integrity, creativity, and respect, while providing rigorous academic programs and a wealth of extracurricular activities.", + "bullets": [ + "Established in 1936, the school has a rich history of academic and community growth.", + "Offers a diverse selection of language courses, including Mandarin, Cantonese, Arabic, and Spanish.", + "Partners with community organizations to provide enriching after-school programs and activities.", + "Dedicated to personalizing educational journeys through strategic planning and academic support initiatives.", + "Hosts a variety of athletic, artistic, and technical programs to cater to diverse student interests." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The Marina Beacon Program offers academic support and enrichment activities in partnership with the Presidio YMCA, running a yearlong ExCel Program." + }, + { + "name": "Language Programs", + "description": "Includes Arabic World Language and a Mandarin Secondary Dual Language Pathway for students continuing in the language pathway." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and Separate classes for mild/moderate learning needs with a focus on autism." + }, + { + "name": "Arts Enrichment", + "description": "Offers band, choir, drama, instrumental music, orchestra, and visual arts through the Visual and Performing Arts (VAPA) program." + }, + { + "name": "Athletics", + "description": "A variety of sports including baseball, basketball, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Features the Advisory, AVID program for college readiness, career planning, counseling, mentoring, and family liaisons." + }, + { + "name": "Career Technical Education Academies", + "description": "Focuses on Arts, Media, and Entertainment to provide career-focused learning experiences." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Logo%20for%20website.jpg", + "logoAltText": "Marina Middle School Logo", + "filePath": "marina-middle-school.jpg" + } + }, + { + "schoolStub": "marshall-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/marshall-elementary-school", + "schoolLabel": "Marshall Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2024-06/Marcy-Elementry-2308-2370.jpg?itok=31hgipIz", + "width": "320", + "height": "213", + "filePath": "public/school_img/marshall-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Mission", + "principal": "Noah Ingber", + "locations": ["1575 15th Street, San Francisco, California 94103"], + "phone": "415-241-6280", + "geolocations": [ + { + "addressString": "1575 15th St, San Francisco, CA 94103-3639, United States", + "addressDetails": { + "Label": "1575 15th St, San Francisco, CA 94103-3639, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94103-3639", + "Street": "15th St", + "StreetComponents": [ + { + "BaseName": "15th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1575" + }, + "geo": [-122.419, 37.76627], + "geoBounds": [-122.42014, 37.76537, -122.41786, 37.76717] + } + ], + "enrollment": "265", + "schoolCode": "714", + "ytLinks": [ + "https://www.youtube.com/embed/P0HurEekRvo?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["P0HurEekRvo"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Marshall Elementary School is a thriving community institution committed to fostering bilingual and biliterate students through a rigorous curriculum in a warm and supportive environment.", + "bullets": [ + "Full K-5 Spanish Two-Way Immersion program aimed at bilingual and biliterate proficiency by 5th grade.", + "High expectations for students supported by personalized resources and community involvement.", + "Active Parent Teacher Association that funds diverse academic and arts programs.", + "Robust before and after school programs designed to enrich student learning and support working families.", + "Engagement with families and staff in decision-making processes to boost student success and joyful learning." + ], + "programs": [ + { + "name": "Spanish Dual Language Immersion", + "description": "A comprehensive program blending native English and Spanish speakers to promote fluency and literacy in both languages across all grades." + }, + { + "name": "Before School Programs", + "description": "Includes the Morning Breakfast Club from 7:30-8:15 a.m. and additional districtwide options to support early arrivals." + }, + { + "name": "After School Programs", + "description": "Diverse offerings such as Mission Graduates, CYO, Columbia Park clubhouse, and Aventuras, providing enriching activities after the school day." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services for students requiring tailored educational support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Individual Chromebooks, computer carts, and literacy interventionists enhance students' daily learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "Art classes, music programs, gardening, and the Visual and Performing Arts program to nurture creativity." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including a family liaison, instructional coach, on-site nurse, social worker, and speech pathologist." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/escuela-marshall%40png.png", + "logoAltText": "Marshall Elementary School Logo", + "filePath": "marshall-elementary-school.png" + } + }, + { + "schoolStub": "mckinley-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/mckinley-elementary-school", + "schoolLabel": "McKinley Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/rainbow.jpg?itok=yzuSNcg8", + "width": "320", + "height": "152", + "filePath": "public/school_img/mckinley-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Castro/Upper Market", + "principal": "John Collins", + "locations": ["1025 14th Street, San Francisco, California 94114"], + "phone": "415-241-6300", + "geolocations": [ + { + "addressString": "1025 14th St, San Francisco, CA 94114-1221, United States", + "addressDetails": { + "Label": "1025 14th St, San Francisco, CA 94114-1221, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Buena Vista Park", + "PostalCode": "94114-1221", + "Street": "14th St", + "StreetComponents": [ + { + "BaseName": "14th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1025" + }, + "geo": [-122.43644, 37.76711], + "geoBounds": [-122.43758, 37.76621, -122.4353, 37.76801] + } + ], + "enrollment": "250", + "schoolCode": "718", + "ytLinks": [ + "https://www.youtube.com/embed/kGLi4cLBSJ8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["kGLi4cLBSJ8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Nestled in vibrant San Francisco, McKinley provides a nurturing environment where a diverse student body is empowered to excel academically and personally.", + "bullets": [ + "Commitment to student safety and self-expression within a supportive school climate.", + "Focus on helping every student reach their highest potential through a challenging curriculum.", + "Strong emphasis on equity, assuring proficiency for all students through personalized teaching methods.", + "Extensive enrichment opportunities like music, arts, and comprehensive afterschool programs.", + "Active community engagement, fostering collaboration among staff, parents, and students for student success." + ], + "programs": [ + { + "name": "After School Enrichment Program (ASEP)", + "description": "A high-quality, licensed program running Monday to Friday offering additional enrichment activities in alignment with the day's curriculum." + }, + { + "name": "Special Education Programs", + "description": "Dedicated classes focusing on mild to moderate needs, with an autism specialization, providing tailored support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes computer carts, a computer lab, English literacy intervention, and on-site tutoring to enhance the standard curriculum." + }, + { + "name": "Arts Enrichment", + "description": "Programs include choir, dance, music, and visual arts, fostering creativity alongside academic learning." + }, + { + "name": "Student Support Programs", + "description": "Resource access to a social worker and speech pathologist, ensuring holistic development and support for students." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/13mck_logo_shoot4stars_raf_color.jpg", + "logoAltText": "McKinley Elementary School Logo", + "filePath": "mckinley-elementary-school.jpg" + } + }, + { + "schoolStub": "miraloma-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/miraloma-elementary-school", + "schoolLabel": "Miraloma Elementary School", + "image": null, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Miraloma", + "principal": "Rochelle Gumpert", + "locations": ["175 Omar Way, San Francisco, California 94127"], + "phone": "415-469-4734", + "geolocations": [ + { + "addressString": "175 Omar Way, San Francisco, CA 94127-1701, United States", + "addressDetails": { + "Label": "175 Omar Way, San Francisco, CA 94127-1701, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Miraloma", + "PostalCode": "94127-1701", + "Street": "Omar Way", + "StreetComponents": [ + { + "BaseName": "Omar", + "Type": "Way", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "175" + }, + "geo": [-122.4501, 37.73913], + "geoBounds": [-122.45124, 37.73823, -122.44896, 37.74003] + } + ], + "enrollment": "375", + "schoolCode": "722", + "ytLinks": [ + "https://www.youtube.com/embed/bW_IBAZUSHo?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["bW_IBAZUSHo"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Miraloma Elementary School is a vibrant, inclusive community dedicated to fostering the personal and academic growth of students through dynamic learning experiences and a supportive environment.", + "bullets": [ + "Emphasizes diversity and inclusivity, celebrating each student's unique strengths and backgrounds.", + "Nurtures students with dynamic, authentic learning experiences that stimulate curiosity and creativity.", + "Collaborative community of teachers, parents, and administration focused on student growth and independence.", + "Supports resilience and perseverance in students, equipping them to tackle academic, social, and emotional challenges.", + "Encourages active community participation and advocacy for social justice." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Stonestown YMCA offers after-school care on school premises until 6pm, fostering continued student engagement beyond the school day." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes focused on mild/moderate needs and autism." + }, + { + "name": "Academic Enrichment", + "description": "Features initiatives such as computer carts for digital literacy, Education Outside for experiential learning, and English literacy intervention." + }, + { + "name": "STEAM Program", + "description": "Integrates science, technology, engineering, arts, and mathematics to encourage interdisciplinary learning and creativity." + }, + { + "name": "Arts Enrichment", + "description": "Offers a wide range of arts activities including art classes, ceramics, choir, dance, drama, music, and performing arts to stimulate creative expression." + }, + { + "name": "Social and Emotional Support", + "description": "Includes resources like social workers and student advisers to support student well-being and development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/APD-Miraloma-Dragon-Black-Text.jpg", + "logoAltText": "Miraloma Elementary School Logo", + "filePath": "miraloma-elementary-school.jpg" + } + }, + { + "schoolStub": "mission-education-center-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/mission-education-center-elementary-school", + "schoolLabel": "Mission Education Center Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_0574.JPG?itok=_YpkNNRj", + "width": "320", + "height": "240", + "filePath": "public/school_img/mission-education-center-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Noe Valley", + "principal": "Albert Maldonado", + "locations": ["1670 Noe Street, San Francisco, California 94131"], + "phone": "415-695-5313", + "geolocations": [ + { + "addressString": "1670 Noe St, San Francisco, CA 94131-2357, United States", + "addressDetails": { + "Label": "1670 Noe St, San Francisco, CA 94131-2357, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Noe Valley", + "PostalCode": "94131-2357", + "Street": "Noe St", + "StreetComponents": [ + { + "BaseName": "Noe", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1670" + }, + "geo": [-122.43134, 37.74221], + "geoBounds": [-122.43248, 37.74131, -122.4302, 37.74311] + } + ], + "enrollment": "82", + "schoolCode": "724", + "ytLinks": [ + "https://www.youtube.com/embed/CH_LYvCre5o?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["CH_LYvCre5o"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Mission Education Center is a unique PreK-5 school dedicated to helping newly arrived Spanish-speaking immigrant students acquire the skills needed to succeed in traditional schools, with a focus on bilingual education and community integration.", + "bullets": [ + "Transitional program to support Spanish-speaking immigrant students in achieving success in regular schools within a year.", + "Teachers are bilingual and specialized in working with newcomer populations, focusing on both English proficiency and academic success in Spanish.", + "Comprehensive arts program including visual arts, performing arts, music, and dance, alongside robust physical education.", + "Parental engagement through bi-weekly education workshops and support resources to help families integrate into the community.", + "Collaborative partnerships with local community agencies to enhance student learning and cultural experience." + ], + "programs": [ + { + "name": "Spanish Dual Language Learner Pre-Kindergarten", + "description": "A dual language program for PreK students taught in both English and Spanish, with a focus on accelerating academic skills and confidence for kindergarten success." + }, + { + "name": "Spanish Newcomer Program", + "description": "A dedicated program designed to help newly arrived Spanish-speaking students transition successfully into English-speaking schools." + }, + { + "name": "Resource Specialist Program", + "description": "Special education support program offering targeted resources and interventions for students with specific educational needs." + }, + { + "name": "Education Outside", + "description": "Outdoor academic enrichment program aimed at integrating environmental learning within the curriculum." + }, + { + "name": "Mission Science Workshop Program", + "description": "Hands-on science program enhancing students' understanding and appreciation of scientific concepts." + }, + { + "name": "Arts Enrichment", + "description": "Broad arts program offering cooking, home economics, dance, gardening, and various performing arts, including collaboration with SF Ballet." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive student support services including access to a family liaison, on-site nurse, social worker, and therapist. " + }, + { + "name": "Social-Emotional and Culture Climate Report", + "description": "Regular assessments of the social-emotional health and cultural climate within the school community." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/MEC_logo.jpg", + "logoAltText": "Mission Education Center Elementary School Logo", + "filePath": "mission-education-center-elementary-school.jpg" + } + }, + { + "schoolStub": "mission-high-school", + "schoolUrl": "https://www.sfusd.edu/school/mission-high-school", + "schoolLabel": "Mission High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Mission%20on%20the%20new%20field.jpg?itok=HNnkx46Q", + "width": "320", + "height": "109", + "filePath": "public/school_img/mission-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Castro/Upper Market", + "principal": "Valerie Forero", + "locations": ["3750 18th Street, San Francisco, California 94114"], + "phone": "415-241-6240", + "geolocations": [ + { + "addressString": "3750 18th St, San Francisco, CA 94114-2614, United States", + "addressDetails": { + "Label": "3750 18th St, San Francisco, CA 94114-2614, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Castro", + "PostalCode": "94114-2614", + "Street": "18th St", + "StreetComponents": [ + { + "BaseName": "18th", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "3750" + }, + "geo": [-122.42698, 37.7616], + "geoBounds": [-122.42812, 37.7607, -122.42584, 37.7625] + } + ], + "enrollment": "1089", + "schoolCode": "725, CEEB Code 052980", + "ytLinks": [ + "https://www.youtube.com/embed/QmqCFXsRHgg?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["QmqCFXsRHgg"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Mission is a diverse and inclusive school located in San Francisco, known for preparing students for college and careers through rigorous academics and a focus on equity and social justice.", + "bullets": [ + "Located centrally in San Francisco, providing easy access for students from various neighborhoods.", + "Offers a comprehensive range of Advanced Placement (AP) and honors courses to prepare students for higher education.", + "Promotes a culture of diversity, acceptance, and social justice with an emphasis on Anti-Racist/Equity education.", + "Strong partnerships with colleges and businesses to provide students with exposure and opportunities in higher education and careers.", + "Robust support system including academic counseling, mentoring, and family engagement initiatives." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers various student activities post-school hours as part of a district-wide initiative." + }, + { + "name": "Language Programs", + "description": "Includes Arabic World Language Newcomer Program and Spanish World Language courses." + }, + { + "name": "Special Education Programs", + "description": "Comprehensive services including ACCESS, Resource Specialist, and several specialized classes for different needs like autism and emotional support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes academic counseling, AP and honors classes, STEAM programs, internships, and college-level courses on-site." + }, + { + "name": "Arts Enrichment", + "description": "Offers classes in art, band, choir, media arts, performing arts, and more to nurture creativity." + }, + { + "name": "Athletics", + "description": "A range of sports options including baseball, basketball, soccer, and track and field for student-athletes." + }, + { + "name": "Student Support Programs", + "description": "Focuses on student well-being through advisory, mentoring, health resources, and college planning." + }, + { + "name": "Career Technical Education Academies", + "description": "Programs in fields such as Agriculture, Arts, Health Science, preparing students for various career paths." + }, + { + "name": "College Counseling", + "description": "Supports students with college preparation including applications, financial aid, and tours." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/MHS%20STAMP.png", + "logoAltText": "Mission High School Logo", + "filePath": "mission-high-school.png" + } + }, + { + "schoolStub": "monroe-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/monroe-elementary-school", + "schoolLabel": "Monroe Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/20201028_124647_0.jpg?itok=EXLN7p1p", + "width": "320", + "height": "240", + "filePath": "public/school_img/monroe-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Excelsior", + "principal": "Telmo Vasquez", + "locations": ["260 Madrid Street, San Francisco, California 94112"], + "phone": "415-469-4736", + "geolocations": [ + { + "addressString": "260 Madrid St, San Francisco, CA 94112-2055, United States", + "addressDetails": { + "Label": "260 Madrid St, San Francisco, CA 94112-2055, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Excelsior", + "PostalCode": "94112-2055", + "Street": "Madrid St", + "StreetComponents": [ + { + "BaseName": "Madrid", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "260" + }, + "geo": [-122.43026, 37.7256], + "geoBounds": [-122.4314, 37.7247, -122.42912, 37.7265] + } + ], + "enrollment": "546", + "schoolCode": "729", + "ytLinks": [ + "https://www.youtube.com/embed/bFoC4ZiNBaY?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["bFoC4ZiNBaY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Monroe Elementary is a vibrant and inclusive school in the Excelsior district, dedicated to fostering academic excellence and social justice through diverse language programs and community engagement.", + "bullets": [ + "Hosts three language programs: English Language Development, Chinese Bilingual, and Spanish Immersion.", + "Focuses on high-quality teaching and learning for historically underserved populations, ensuring academic equity.", + "Facilitates open, honest discussions among students, parents, and teachers to support students' academic progress and emotional well-being.", + "Encourages collective responsibility for educational success among students, teachers, staff, and families.", + "Offers a variety of before and after school programs, as well as arts and student support services." + ], + "programs": [ + { + "name": "English Language Development", + "description": "A program designed to improve English proficiency for students from various linguistic backgrounds, supporting their integration and success in an English-speaking educational environment." + }, + { + "name": "Chinese Bilingual Program", + "description": "A bilingual program that provides students with the opportunity to develop proficiency in both Chinese and English while embracing cultural diversity." + }, + { + "name": "Spanish Immersion Program", + "description": "An immersive educational experience that develops fluency in Spanish, mixing language learning with various academic subjects." + }, + { + "name": "Before School Programs", + "description": "Early morning programs available from 7:30 am to support families, including optional breakfast for all students." + }, + { + "name": "After School Programs", + "description": "Comprehensive after-school programs, partnering with YMCA, SFUSD, and other organizations to provide enriching activities beyond regular school hours." + }, + { + "name": "Special Education Programs", + "description": "Services including a Resource Specialist Program and Speech/Language Therapy to accommodate the diverse needs of students." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes English literacy intervention, a library, mission science workshops, and Spanish literacy support to enhance students' learning experience." + }, + { + "name": "Arts Enrichment", + "description": "A variety of arts programs featuring resident artists, dance, instrumental music, performing arts, and VAPA to nurture students' artistic talents." + }, + { + "name": "Student Support Programs", + "description": "Comprising family liaison, support specialists, an on-site nurse, and a social worker to assist with students' holistic development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/20201028_124705.jpg", + "logoAltText": "Monroe Elementary School Logo", + "filePath": "monroe-elementary-school.jpg" + } + }, + { + "schoolStub": "new-traditions-creative-arts-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/new-traditions-creative-arts-elementary-school", + "schoolLabel": "New Traditions Creative Arts Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/new_traditions.jpg?itok=xalZEMz5", + "width": "320", + "height": "427", + "filePath": "public/school_img/new-traditions-creative-arts-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Haight Ashbury", + "principal": "Myra Quadros", + "locations": ["2049 Grove Street, San Francisco, California 94117"], + "phone": "415-750-8490", + "geolocations": [ + { + "addressString": "2049 Grove St, San Francisco, CA 94117-1123, United States", + "addressDetails": { + "Label": "2049 Grove St, San Francisco, CA 94117-1123, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Northern Park", + "PostalCode": "94117-1123", + "Street": "Grove St", + "StreetComponents": [ + { + "BaseName": "Grove", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2049" + }, + "geo": [-122.45026, 37.77388], + "geoBounds": [-122.4514, 37.77298, -122.44912, 37.77478] + } + ], + "enrollment": "265", + "schoolCode": "735", + "ytLinks": [ + "https://www.youtube.com/embed/BMTmX2eUI5k?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["BMTmX2eUI5k"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "At New Traditions, we foster a supportive and respectful environment dedicated to creative, meaningful, and rigorous education with a strong emphasis on the Arts and community involvement.", + "bullets": [ + "Student-centered and solution-based approach to education.", + "Active parent involvement in students’ academic and social development.", + "Emphasis on creative arts within a well-rounded curriculum.", + "Positive Behavior System promoting self-reflection and community impact.", + "Daily morning circle to reinforce community values of safety, responsibility, and respect." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "YMCA provides care for students starting at 7:30 am, with additional districtwide program information available." + }, + { + "name": "After School Programs", + "description": "YMCA care runs from 3:30 to 6:15 pm, including PTA-sponsored activities such as Spanish, chess, ceramics, yoga, and drama, along with districtwide program information." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services to support students’ specific educational needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features include computer carts and Education Outside programs, alongside English literacy interventionist and in-school tutoring." + }, + { + "name": "Arts Enrichment", + "description": "Offers a broad range of arts activities including ceramics, choir, dance, drumming, gardening, visual arts, and creative writing or poetry." + }, + { + "name": "Student Support Programs", + "description": "Provides services such as mentoring, a social worker, and a student adviser to support student well-being and learning." + } + ] + } + }, + { + "schoolStub": "noriega-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/noriega-early-education-school", + "schoolLabel": "Noriega Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Outer Sunset", + "principal": "Ivy Ng", + "locations": ["1775 44th Avenue, San Francisco, California 94122"], + "phone": "415-759-2853", + "geolocations": [ + { + "addressString": "1775 44th Ave, San Francisco, CA 94122-4013, United States", + "addressDetails": { + "Label": "1775 44th Ave, San Francisco, CA 94122-4013, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Sunset", + "PostalCode": "94122-4013", + "Street": "44th Ave", + "StreetComponents": [ + { + "BaseName": "44th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1775" + }, + "geo": [-122.5036, 37.75356], + "geoBounds": [-122.50474, 37.75266, -122.50246, 37.75446] + } + ], + "enrollment": "248", + "schoolCode": "928", + "ytLinks": [ + "https://www.youtube.com/embed/-3Z1xM598Cs?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/-3Z1xM598Cs?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["-3Z1xM598Cs", "-3Z1xM598Cs"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Noriega Early Education School offers comprehensive early childhood education with a focus on 21st-century learning, providing equity and quality education to children from pre-kindergarten to 4th grade.", + "bullets": [ + "Offers a unique Project Approach curriculum fostering in-depth investigations and critical thinking skills.", + "Highly committed to promoting 21st-century skills including creativity, communication, and collaboration.", + "Provides transitional kindergarten to bridge early childhood and traditional kindergarten education.", + "Offers extensive before and after school programs with enrichment classes and meals included.", + "Features language support with Cantonese Dual Language Learner and Special Education Programs." + ], + "programs": [ + { + "name": "Transitional Kindergarten (TK)", + "description": "A program designed to bridge preschool and traditional kindergarten, led by credentialed teachers focusing on meeting individual child needs with extended hours for after-school care." + }, + { + "name": "Before School Program", + "description": "A morning program for Lawton ES students, providing breakfast and transportation to the school, available from 8:00am to 9:15am." + }, + { + "name": "Out-of-School Time (OST) Program", + "description": "An after-school program for TK - 4th grade, featuring enrichment classes and full day sessions during breaks with provided snacks and meals." + }, + { + "name": "Cantonese Dual Language Learner", + "description": "A language program aimed at pre-kindergarten students to support dual language development in Cantonese." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services to support students with specific educational needs." + } + ] + } + }, + { + "schoolStub": "paul-revere-prek-8-school", + "schoolUrl": "https://www.sfusd.edu/school/paul-revere-prek-8-school", + "schoolLabel": "Paul Revere (PreK-8) School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Paul%20Revere%20School%20Main%20Building_0.png?itok=F9h6Oa5o", + "width": "320", + "height": "291", + "filePath": "public/school_img/paul-revere-prek-8-school.png" + }, + "gradesLabel": "Early Education, Elementary School, K-8 School", + "gradeCodes": ["PreK", "TK", "K", "1-8"], + "neighborhood": "Bernal Heights", + "principal": "William Eaton", + "locations": ["555 Tompkins Avenue, San Francisco, California 94110"], + "phone": "415-695-5656", + "geolocations": [ + { + "addressString": "555 Tompkins Ave, San Francisco, CA 94110-6144, United States", + "addressDetails": { + "Label": "555 Tompkins Ave, San Francisco, CA 94110-6144, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Bernal Heights", + "PostalCode": "94110-6144", + "Street": "Tompkins Ave", + "StreetComponents": [ + { + "BaseName": "Tompkins", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "555" + }, + "geo": [-122.413, 37.73721], + "geoBounds": [-122.41414, 37.73631, -122.41186, 37.73811] + } + ], + "enrollment": "499", + "schoolCode": "760", + "ytLinks": [ + "https://www.youtube.com/embed/01ypxv5IEy4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["01ypxv5IEy4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Paul Revere School is an inclusive institution committed to closing the achievement gap by providing a supportive environment with high expectations and access to qualified staff for all students.", + "bullets": [ + "Provides data-informed professional development and collaborative planning time for faculty.", + "Offers targeted literacy and math instruction with emphasis on small groups and data-driven teaching.", + "Prioritizes equity in education by providing a differentiated curriculum tailored to individual student needs.", + "Recognizes and rewards students for both academic accomplishments and outstanding character.", + "Engages with the larger community to cultivate a positive school culture that values diversity in backgrounds, languages, and experiences." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The BACR program offers after-school care running until 7:00 pm with limited spaces available." + }, + { + "name": "Language Programs", + "description": "Spanish Dual Language Immersion for grades K-5, providing immersive bilingual education." + }, + { + "name": "Special Education Programs", + "description": "Includes PreK Special Day Class, Resource Specialist Program Services, and separate classes for mild/moderate needs grades K-5." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features academic counseling, accelerated literacy program, and science workshops alongside technology training and tutoring." + }, + { + "name": "Arts Enrichment", + "description": "Offers band, coding, visual and performing arts for grades K-5 with special programs in collaboration with Young Audiences of Northern California and Performing Arts Workshop." + }, + { + "name": "Athletics", + "description": "Provides opportunities for students to participate in basketball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Includes access to a nurse, counselor, family liaison, health and wellness center, instructional coach, mentoring, social worker, speech pathologist, and therapist." + }, + { + "name": "College Counseling", + "description": "Provides academic counseling to prepare students for post-secondary education choices." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Untitled%20%282%29.png", + "logoAltText": "Paul Revere (PreK-8) School Logo", + "filePath": "paul-revere-prek-8-school.png" + } + }, + { + "schoolStub": "phillip-and-sala-burton-academic-high-school", + "schoolUrl": "https://www.sfusd.edu/school/phillip-and-sala-burton-academic-high-school", + "schoolLabel": "Phillip and Sala Burton Academic High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/BurtonPictureSearch.jpg?itok=ugYsJunr", + "width": "320", + "height": "183", + "filePath": "public/school_img/phillip-and-sala-burton-academic-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Portola", + "principal": "Suniqua Thomas", + "locations": ["400 Mansell Street, San Francisco, California 94134"], + "phone": "415-469-4550", + "geolocations": [ + { + "addressString": "400 Mansell St, San Francisco, CA 94134-1829, United States", + "addressDetails": { + "Label": "400 Mansell St, San Francisco, CA 94134-1829, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Portola", + "PostalCode": "94134-1829", + "Street": "Mansell St", + "StreetComponents": [ + { + "BaseName": "Mansell", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "400" + }, + "geo": [-122.4063, 37.72126], + "geoBounds": [-122.40744, 37.72036, -122.40516, 37.72216] + } + ], + "enrollment": "1100", + "schoolCode": "764", + "ytLinks": [ + "https://www.youtube.com/embed/jwMX9zSxaA0?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/jwMX9zSxaA0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["jwMX9zSxaA0", "jwMX9zSxaA0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Phillip and Sala Burton Academic High School offers a nurturing and equitable environment that fosters high academic achievement, preparing graduates as creative leaders and critical thinkers with a foundation in core curriculum and social justice.", + "bullets": [ + "Diverse student body representing all ethnicities and socio-economic groups in San Francisco.", + "Small, personalized learning communities known as Academies that support student achievement.", + "Extensive partnerships with local organizations like the Bayview YMCA to enhance after-school programs.", + "Robust support programs including student counseling, mentoring, and health services.", + "Comprehensive arts, athletics, and academic enrichment programs." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Features courses offered by City College, programs by Bayview YMCA including intramurals, workshops, swimming, drivers' education, and tutoring." + }, + { + "name": "Language Programs", + "description": "Offers world language courses in Mandarin and Spanish." + }, + { + "name": "Special Education Programs", + "description": "Provides adult transition services and specialized classes for students with mild to severe special needs." + }, + { + "name": "Academic Enrichment", + "description": "Includes enrichment programs such as AP classes, Career Technical Education Academies, honors classes, STEAM education, and student portfolios." + }, + { + "name": "Arts Enrichment", + "description": "Classes in art, band, ceramics, dance, jazz, and media arts, encompassing visual and performing arts." + }, + { + "name": "Athletics", + "description": "Sports programs including badminton, baseball, basketball, cross country, and more." + }, + { + "name": "Student Support Programs", + "description": "Access to advisors, counselors, health and wellness center, mentoring, and a social worker." + }, + { + "name": "Career Technical Education Academies", + "description": "Programs in Arts, Media and Entertainment, Engineering and Architecture, and Health Science and Medical Technology." + }, + { + "name": "College Counseling", + "description": "Supportive services such as college prep, application workshops, financial aid guidance, and college tours." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/PUMAS-logo.jpg", + "logoAltText": "Phillip and Sala Burton Academic High School Logo", + "filePath": "phillip-and-sala-burton-academic-high-school.jpg" + } + }, + { + "schoolStub": "presidio-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/presidio-middle-school", + "schoolLabel": "Presidio Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/69124363_2332996396737681_6559486724051828736_o.jpg?itok=FSwAe3e_", + "width": "320", + "height": "161", + "filePath": "public/school_img/presidio-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Outer Richmond", + "principal": "Kevin Chui", + "locations": ["450 30th Avenue, San Francisco, California 94121"], + "phone": "415-750-8435", + "geolocations": [ + { + "addressString": "450 30th Ave, San Francisco, CA 94121-1766, United States", + "addressDetails": { + "Label": "450 30th Ave, San Francisco, CA 94121-1766, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Richmond", + "PostalCode": "94121-1766", + "Street": "30th Ave", + "StreetComponents": [ + { + "BaseName": "30th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "450" + }, + "geo": [-122.48962, 37.78086], + "geoBounds": [-122.49076, 37.77996, -122.48848, 37.78176] + } + ], + "enrollment": "1020", + "schoolCode": "778", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "This school offers a diverse array of academic and enrichment programs designed to support and enhance student learning in a vibrant, supportive community.", + "bullets": [ + "Comprehensive after-school programs available district-wide.", + "Robust language programs in Japanese and Vietnamese.", + "Diverse special education offerings tailored to various needs.", + "Rich arts and athletics programs fostering creativity and teamwork.", + "Strong student support system including health and wellness resources." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Richmond Beacon Mighty Panthers Program runs every school day from 4:00 - 6:00 p.m., providing extracurricular activities and academic support." + }, + { + "name": "Language Programs", + "description": "Offers world language classes in Japanese and Vietnamese to promote multilingual proficiency." + }, + { + "name": "Special Education Programs", + "description": "Includes a range of services such as the Resource Specialist Program, classes for the deaf and hard of hearing, and separate classes focusing on mild/moderate to severe needs, with specific focus on autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features academic counseling, computer access, individual learning plans, library resources, outdoor education, and a technology lab." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive arts programs including visual arts, band, choir, dance, and various music ensembles." + }, + { + "name": "Athletics", + "description": "Offers a variety of sports including baseball, basketball, flag football, soccer, and more to build physical skills and team spirit." + }, + { + "name": "Student Support Programs", + "description": "Provides a robust support system with advisory counselors, family liaison, health and wellness center, mental health consultant, and other resources." + }, + { + "name": "School Accountability and Planning", + "description": "Utilizes data reports such as the School Accountability Report Card and the School Plan for Student Achievement to enhance school performance and culture." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/panther_logo.jpg", + "logoAltText": "Presidio Middle School Logo", + "filePath": "presidio-middle-school.jpg" + } + }, + { + "schoolStub": "project-search", + "schoolUrl": "https://www.sfusd.edu/school/project-search", + "schoolLabel": "Project Search", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["13"], + "neighborhood": null, + "principal": "Kara Schinella", + "locations": ["2425 Geary Boulevard, San Francisco, California 94115"], + "phone": null, + "geolocations": [ + { + "addressString": "2425 Geary Blvd, San Francisco, CA 94115-3358, United States", + "addressDetails": { + "Label": "2425 Geary Blvd, San Francisco, CA 94115-3358, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Anza Vista", + "PostalCode": "94115-3358", + "Street": "Geary Blvd", + "StreetComponents": [ + { + "BaseName": "Geary", + "Type": "Blvd", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2425" + }, + "geo": [-122.44301, 37.78259], + "geoBounds": [-122.44415, 37.78169, -122.44187, 37.78349] + } + ], + "enrollment": "20", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "AccessSFUSD is a progressive community-based program designed to empower special education students aged 18-22 with essential life skills and vocational experiences in San Francisco.", + "bullets": [ + "Offers a unique one-year internship opportunity at Kaiser Hospital through Project Search.", + "Focuses on functional life skills taught within the community setting, using San Francisco as the campus.", + "Provides individualized programs tailored to each student's goals and interests.", + "Equips students with practical skills such as public transportation usage, work experiences, and self-advocacy.", + "Encourages active community engagement and personal development to foster self-determined individuals." + ], + "programs": [ + { + "name": "AccessSFUSD: Project Search Internship", + "description": "A one-year intensive internship program at Kaiser Hospital for qualified students in their final year of the AccessSFUSD program, focusing on gaining real-world vocational experiences." + }, + { + "name": "ACCESS - Adult Transition Services", + "description": "A comprehensive program offering activities such as self-help and advocacy skills, leadership opportunities, work training, travel and safety training, and community-based instruction tailored to increase students' independence and integration into the community." + } + ] + } + }, + { + "schoolStub": "raoul-wallenberg-high-school", + "schoolUrl": "https://www.sfusd.edu/school/raoul-wallenberg-high-school", + "schoolLabel": "Raoul Wallenberg High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/wallenberghighschool_0.jpg?itok=ZD6ebqjm", + "width": "320", + "height": "217", + "filePath": "public/school_img/raoul-wallenberg-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Western Addition", + "principal": "Tanya Harris", + "locations": ["40 Vega Street, San Francisco, California 94115"], + "phone": "415-749-3469", + "geolocations": [ + { + "addressString": "40 Vega St, San Francisco, CA 94115-3826, United States", + "addressDetails": { + "Label": "40 Vega St, San Francisco, CA 94115-3826, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Anza Vista", + "PostalCode": "94115-3826", + "Street": "Vega St", + "StreetComponents": [ + { + "BaseName": "Vega", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "40" + }, + "geo": [-122.44624, 37.78019], + "geoBounds": [-122.44738, 37.77929, -122.4451, 37.78109] + } + ], + "enrollment": "670", + "schoolCode": "785", + "ytLinks": [ + "https://www.youtube.com/embed/rtSYrHOxN28?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["rtSYrHOxN28"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Located in the heart of San Francisco, Wallenberg High School offers a supportive and rigorous educational program designed to prepare a diverse student body for success in college, careers, and life.", + "bullets": [ + "Offers a wide range of Advanced Placement (AP) courses across all core subjects.", + "Emphasizes personal responsibility, compassion, caring, honesty, perseverance, and integrity.", + "Provides a small school environment fostering close student-staff relationships and personalized learning.", + "Equips students with diagnostic counseling and communications among disciplines to promote high achievement.", + "Encourages active parental involvement and a culture of service and support." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers a variety of activities including credit recovery, tutoring, and clubs in partnership with the Richmond District Neighborhood Center (ExCEL Program)." + }, + { + "name": "Language Programs", + "description": "Provides courses in Mandarin and Spanish to enrich students' world language skills." + }, + { + "name": "Special Education Programs", + "description": "Includes the ACCESS - Adult Transition Services, Resource Specialist Program Services, and separate classes for students with mild to moderate learning needs." + }, + { + "name": "Academic Enrichment", + "description": "Includes Advanced Placement classes, career technical education, college classes at CCSF or SFSU, and interdisciplinary studies." + }, + { + "name": "Arts Enrichment", + "description": "Offers a broad range of arts programs including band, ceramics, cooking, dance, drama, guitar, jazz, media arts, performing arts, and visual arts." + }, + { + "name": "Athletics", + "description": "Provides students with opportunities to participate in sports such as badminton, baseball, basketball, cross country, fencing, golf, gymnastics, soccer, softball, swimming, tennis, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Includes AVID, health and wellness center, mentoring, on-site nurse, and social worker." + }, + { + "name": "Career Technical Education Academies", + "description": "Offers specialized academies in Health Science and Medical Technology." + }, + { + "name": "College Counseling", + "description": "Provides support including academic counseling, financial aid nights, college and career fairs, application workshops, and college tours." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/RWHS%20Bulldog%20Common%20Sense.png", + "logoAltText": "Raoul Wallenberg High School Logo", + "filePath": "raoul-wallenberg-high-school.png" + } + }, + { + "schoolStub": "raphael-weill-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/raphael-weill-early-education-school", + "schoolLabel": "Raphael Weill Early Education School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG_0021_0.JPG?itok=zMTLr3Yu", + "width": "320", + "height": "240", + "filePath": "public/school_img/raphael-weill-early-education-school.jpg" + }, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK"], + "neighborhood": "Western Addition", + "principal": "Sherifa Tiamiyu", + "locations": ["1501 O'Farrell Street, San Francisco, California 94115"], + "phone": "415-749-3548", + "geolocations": [ + { + "addressString": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "addressDetails": { + "Label": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Western Addition", + "PostalCode": "94115-3762", + "Street": "Ofarrell St", + "StreetComponents": [ + { + "BaseName": "Ofarrell", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1501" + }, + "geo": [-122.43005, 37.78353], + "geoBounds": [-122.43119, 37.78263, -122.42891, 37.78443] + } + ], + "ytLinks": [ + "https://www.youtube.com/embed/CXtRWa67XZc?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["CXtRWa67XZc"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Rafael Weill Early Education School, located in the Western Addition of San Francisco, offers a supportive and enriching learning environment for young learners.", + "bullets": [ + "Located in the vibrant Western Addition neighborhood of San Francisco.", + "Offers after school enrichment programs through the Out-of-School Time (OST) initiative.", + "Provides resources and assessments in social-emotional learning for students.", + "Operates with a focus on positive school climate and community engagement." + ], + "programs": [ + { + "name": "After School Program", + "description": "This program offers enrichment classes held after school hours with full-day sessions available during Spring and Summer breaks. Open to students from any elementary school who meet the age requirements, it provides opportunities for subsidized tuition based on family size and income." + } + ] + } + }, + { + "schoolStub": "redding-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/redding-elementary-school", + "schoolLabel": "Redding Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/IMG-0260_0.jpg?itok=0NyY4NQb", + "width": "320", + "height": "240", + "filePath": "public/school_img/redding-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Nob Hill", + "principal": "Ronnie Louie", + "locations": ["1421 Pine Street, San Francisco, California 94109"], + "phone": "415-749-3525", + "geolocations": [ + { + "addressString": "1421 Pine St, San Francisco, CA 94109-4719, United States", + "addressDetails": { + "Label": "1421 Pine St, San Francisco, CA 94109-4719, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Lower Nob Hill", + "PostalCode": "94109-4719", + "Street": "Pine St", + "StreetComponents": [ + { + "BaseName": "Pine", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1421" + }, + "geo": [-122.41949, 37.78964], + "geoBounds": [-122.42063, 37.78874, -122.41835, 37.79054] + } + ], + "enrollment": "255", + "schoolCode": "790", + "ytLinks": [ + "https://www.youtube.com/embed/YdNqhm9_z9M?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["YdNqhm9_z9M"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Redding Elementary School in San Francisco offers a nurturing and safe environment for a diverse community of students, emphasizing social justice, equity, and a joyful learning experience.", + "bullets": [ + "Culturally and ethnically diverse student body from all over San Francisco.", + "Commitment to social justice and equity in education.", + "Interdisciplinary program integrating Social Emotional Learning and arts education.", + "Collaborative teaching approach involving staff and families.", + "Comprehensive language and arts programs, including Arabic learning for all students." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Students can arrive at 8:00 AM for breakfast, with free/reduced meal options available upon application." + }, + { + "name": "After School Programs", + "description": "The ACE program operates every school day and part of the summer, providing year-round childcare and education." + }, + { + "name": "Arabic Foreign Language in Elementary School (FLES) Program", + "description": "All students at Redding Elementary School learn Arabic as part of their curriculum." + }, + { + "name": "Resource Specialist Program Services", + "description": "Specialized support for students requiring additional resources in their education." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes computer carts, a computer lab, and specific academic enrichment programs such as Education Outside and English literacy intervention." + }, + { + "name": "Arts Enrichment Program", + "description": "Students engage with arts through professional artists-in-residence programs, including instrumental music and dance (LEAP)." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including access to a nurse, mentoring, social worker services, a student adviser, and therapy." + } + ] + } + }, + { + "schoolStub": "robert-louis-stevenson-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/robert-louis-stevenson-elementary-school", + "schoolLabel": "Robert Louis Stevenson Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/FullSizeRender-4.jpg?itok=MnMaJ_f1", + "width": "320", + "height": "240", + "filePath": "public/school_img/robert-louis-stevenson-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Outer Sunset", + "principal": "Diane Lau-Yee", + "locations": ["2051 34th Avenue, San Francisco, California 94116"], + "phone": "415-759-2837", + "geolocations": [ + { + "addressString": "2051 34th Ave, San Francisco, CA 94116-1109, United States", + "addressDetails": { + "Label": "2051 34th Ave, San Francisco, CA 94116-1109, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Central Sunset", + "PostalCode": "94116-1109", + "Street": "34th Ave", + "StreetComponents": [ + { + "BaseName": "34th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2051" + }, + "geo": [-122.49254, 37.74875], + "geoBounds": [-122.49368, 37.74785, -122.4914, 37.74965] + } + ], + "enrollment": "475", + "schoolCode": "782", + "ytLinks": [ + "https://www.youtube.com/embed/esj4HAzhiYA?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["esj4HAzhiYA"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Robert Louis Stevenson Elementary School offers an inclusive, enriching environment that nurtures the whole student, fostering community engagement and 21st-century learning skills.", + "bullets": [ + "Commitment to peace, tolerance, equality, and friendship among all students.", + "Rich academic program supported by a state-of-the-art library and technology resources.", + "Comprehensive afterschool programs including ExCEL and KEEP, providing safe havens for extended learning.", + "Robust arts enrichment with a focus on visual and performing arts through an artist-in-residence program.", + "Strong community support with active PTA funding various educational and enrichment initiatives." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes the KEEP and ExCEL programs offering structured activities after school hours for grades K-5, as well as All-Star Mandarin and Academic Chess programs." + }, + { + "name": "Special Education Programs", + "description": "Features the Resource Specialist Program and services for students with mild to moderate needs to ensure inclusive education." + }, + { + "name": "School Day Academic Enrichment", + "description": "Offers advanced educational opportunities with computer labs and carts, project-based learning, STEAM curriculum, and in-school tutoring." + }, + { + "name": "Arts Enrichment", + "description": "Encourages creativity through courses in gardening, performing and visual arts, supported by an annual artist-in-residence program." + }, + { + "name": "Student Support Programs", + "description": "Provides additional support through services like a family liaison and social worker to enhance student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/White%20BG%20RLS%20Logo.png", + "logoAltText": "Robert Louis Stevenson Elementary School Logo", + "filePath": "robert-louis-stevenson-elementary-school.png" + } + }, + { + "schoolStub": "rooftop-school-tk-8", + "schoolUrl": "https://www.sfusd.edu/school/rooftop-school-tk-8", + "schoolLabel": "Rooftop School TK-8", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/SFUSDSoOS.Rooftop%20Mayeda%201997%20Lemanski%20_%20Rockwell%20Architects_0.jpg?itok=yx6nxiKi", + "width": "320", + "height": "248", + "filePath": "public/school_img/rooftop-school-tk-8.jpg" + }, + "gradesLabel": "Elementary School, K-8 School", + "gradeCodes": ["TK", "K", "1-8"], + "neighborhood": "Twin Peaks", + "principal": "Darren Kawaii", + "locations": [ + "443 Burnett Avenue, San Francisco, California 94131", + "500 Corbett Avenue, San Francisco, California 94131" + ], + "phone": "415-695-5691 (PreK-4); 415-522-6757 (5-8)", + "geolocations": [ + { + "addressString": "443 Burnett Ave, San Francisco, CA 94131-1330, United States", + "addressDetails": { + "Label": "443 Burnett Ave, San Francisco, CA 94131-1330, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Twin Peaks", + "PostalCode": "94131-1330", + "Street": "Burnett Ave", + "StreetComponents": [ + { + "BaseName": "Burnett", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "443" + }, + "geo": [-122.4436, 37.75489], + "geoBounds": [-122.44474, 37.75399, -122.44246, 37.75579] + }, + { + "addressString": "500 Corbett Ave, San Francisco, CA 94114-2220, United States", + "addressDetails": { + "Label": "500 Corbett Ave, San Francisco, CA 94114-2220, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Twin Peaks", + "PostalCode": "94114-2220", + "Street": "Corbett Ave", + "StreetComponents": [ + { + "BaseName": "Corbett", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "500" + }, + "geo": [-122.44456, 37.75765], + "geoBounds": [-122.4457, 37.75675, -122.44342, 37.75855] + } + ], + "enrollment": "600", + "schoolCode": "796", + "ytLinks": [ + "https://www.youtube.com/embed/L1CclRNGMbI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["L1CclRNGMbI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Rooftop School is a vibrant TK through 8th grade institution split across two close-knit campuses in San Francisco, dedicated to empowering students through a unique blend of arts-integrated academics, community respect, and individualized learning.", + "bullets": [ + "Two distinct campuses for different grade levels promoting focused learning environments.", + "Integrated arts program designed to develop students' creative and academic abilities.", + "Strong commitment to a respectful and inclusive school community.", + "Extensive extracurricular offerings including sports, arts, and technology programs.", + "Comprehensive special education services and academic support for diverse learning needs." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Free morning care and breakfast provided to TK-5 students and middle-school siblings for the 2024-25 school year, facilitating an engaging and energizing start to each school day." + }, + { + "name": "After School Programs", + "description": "CASA offers after school childcare for TK-6, alongside enrichment classes like Spanish, Coding, and STEM Legos. Middle school students have access to after school sports opportunities." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services, in-school tutoring, and project-based learning designed to support each student's unique educational needs." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive arts residency program covering ceramics, dance, gardening, and visual arts, supported by a Full Arts Master Plan to enhance students' cultural exposure and artistic talent." + }, + { + "name": "Athletics", + "description": "Varied sports options including baseball, soccer, track and field, and volleyball, promoting physical activity and teamwork among students." + }, + { + "name": "Student Support Programs", + "description": "Mentoring and dedicated social worker services to support the social and emotional well-being of students, fostering a nurturing educational environment." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Rooftop%20Logo_0.png", + "logoAltText": "Rooftop School PK-8 (Main School Website) Logo", + "filePath": "rooftop-school-tk-8.png" + } + }, + { + "schoolStub": "rooftop-tk-8-school-mayeda-campus", + "schoolUrl": "https://www.sfusd.edu/school/rooftop-tk-8-school-mayeda-campus", + "schoolLabel": "Rooftop TK-8 School - Mayeda Campus", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/SFUSDSoOS.Rooftop%20Mayeda%201997%20Lemanski%20_%20Rockwell%20Architects_0.jpg?itok=yx6nxiKi", + "width": "320", + "height": "248", + "filePath": "public/school_img/rooftop-tk-8-school-mayeda-campus.jpg" + }, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["5-8"], + "neighborhood": "Twin Peaks", + "principal": "Darren Kawaii", + "locations": ["500 Corbett Avenue, San Francisco, California 94114"], + "phone": "415-522-6757", + "geolocations": [ + { + "addressString": "500 Corbett Ave, San Francisco, CA 94114-2220, United States", + "addressDetails": { + "Label": "500 Corbett Ave, San Francisco, CA 94114-2220, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Twin Peaks", + "PostalCode": "94114-2220", + "Street": "Corbett Ave", + "StreetComponents": [ + { + "BaseName": "Corbett", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "500" + }, + "geo": [-122.44456, 37.75765], + "geoBounds": [-122.4457, 37.75675, -122.44342, 37.75855] + } + ], + "enrollment": "600", + "schoolCode": "796", + "ytLinks": [ + "https://www.youtube.com/embed/Yx9AOU_hX-c?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["Yx9AOU_hX-c"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Rooftop is a vibrant community school dedicated to nurturing students' unique strengths through an arts-integrated curriculum, fostering academic excellence, critical thinking, and creative problem-solving.", + "bullets": [ + "Collaborative learning environment involving students, staff, and parents for holistic development.", + "Integration of arts across the curriculum to enhance creativity and critical thinking.", + "Diverse extracurricular activities and after-school programs promoting personal growth.", + "Commitment to respect and dignity, promoting acceptance and tolerance among community members.", + "Emphasis on cultural and community-based learning experiences, including a unique study of jazz." + ], + "programs": [ + { + "name": "After School Programs", + "description": "An array of programs available for grades 5-8, including tutoring, sports teams, and clubs with classes in Spanish, French, chess, art history, and guitar." + }, + { + "name": "CASA (Children's After School Arts)", + "description": "Onsite after school program focused on art, social justice, and social-emotional development for kindergarten through sixth graders." + }, + { + "name": "Special Education Programs", + "description": "Resource specialist program services providing in-school tutoring, computer carts, English literacy intervention, and library access for academic enrichment." + }, + { + "name": "School Data Application Data", + "description": "Provides data on general education entry grade seats per application, highlighting school achievement and culture-climate through annual reports." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Rooftop%20School%20Logo.png", + "logoAltText": "Rooftop PreK-8 School (5-8 Mayeda Campus) Logo", + "filePath": "rooftop-tk-8-school-mayeda-campus.png" + } + }, + { + "schoolStub": "roosevelt-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/roosevelt-middle-school", + "schoolLabel": "Roosevelt Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/roosevelt.jpg?itok=JBudrbPE", + "width": "320", + "height": "427", + "filePath": "public/school_img/roosevelt-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Richmond", + "principal": "Emily Leicham", + "locations": ["460 Arguello Boulevard, San Francisco, California 94118"], + "phone": "415-750-8446", + "geolocations": [ + { + "addressString": "460 Arguello Blvd, San Francisco, CA 94118-2505, United States", + "addressDetails": { + "Label": "460 Arguello Blvd, San Francisco, CA 94118-2505, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Laurel Heights", + "PostalCode": "94118-2505", + "Street": "Arguello Blvd", + "StreetComponents": [ + { + "BaseName": "Arguello", + "Type": "Blvd", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "460" + }, + "geo": [-122.45866, 37.78199], + "geoBounds": [-122.4598, 37.78109, -122.45752, 37.78289] + } + ], + "enrollment": "720", + "schoolCode": "797", + "ytLinks": [ + "https://www.youtube.com/embed/CX-NBQ_wEfc?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["CX-NBQ_wEfc"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Nestled in the historic Richmond neighborhood, Roosevelt Middle School is dedicated to nurturing students' academic, social, and emotional growth in a safe and supportive environment.", + "bullets": [ + "High expectations and standards for all learners across academic and extracurricular activities.", + "A collaborative staff and community effort to provide meaningful learning experiences.", + "Programs designed to inspire students to be technologically literate and globally minded.", + "A focus on deeper learning through project-based and AVID teaching strategies.", + "Commitment to closing the achievement gap, especially for African American students." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The BEACON program run by the RDNC offers after school homework support, enrichment activities, supervised sports, and meal options for students." + }, + { + "name": "Language Programs", + "description": "Includes Advanced Mandarin World Language for Cantonese Biliterate students to enhance language skills." + }, + { + "name": "Special Education Programs", + "description": "Provides Resource Specialist Program Services, separate classes focusing on mild/moderate and moderate/severe autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Offers academic counseling, accelerated literacy, college tours, technology lab, and a variety of elective options such as drama, music, and home arts." + }, + { + "name": "Athletics", + "description": "Features sports like baseball, basketball, flag football, soccer, softball, track and field, and volleyball to promote physical health and teamwork." + }, + { + "name": "Student Support Programs", + "description": "Includes AVID for college readiness, mentoring, on-site nurse, social worker, and college planning support to guide student development and well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/IMG_A5626D718F79-1.jpeg", + "logoAltText": "Roosevelt Middle School Logo", + "filePath": "roosevelt-middle-school.jpeg" + } + }, + { + "schoolStub": "rosa-parks-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/rosa-parks-elementary-school", + "schoolLabel": "Rosa Parks Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/rosa_parks.jpg?itok=gCOSjO-t", + "width": "320", + "height": "213", + "filePath": "public/school_img/rosa-parks-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Western Addition", + "principal": "Laura Schmidt-Nojima", + "locations": ["1501 O'Farrell Street, San Francisco, California 94115"], + "phone": "415-749-3519", + "geolocations": [ + { + "addressString": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "addressDetails": { + "Label": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Western Addition", + "PostalCode": "94115-3762", + "Street": "Ofarrell St", + "StreetComponents": [ + { + "BaseName": "Ofarrell", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1501" + }, + "geo": [-122.43005, 37.78353], + "geoBounds": [-122.43119, 37.78263, -122.42891, 37.78443] + } + ], + "enrollment": "350", + "schoolCode": "786", + "ytLinks": [ + "https://www.youtube.com/embed/uhUmVgoOFU0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["uhUmVgoOFU0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Rosa Parks Elementary is a dynamic academic environment integrating STEAM, Special Education, and a unique Japanese Bilingual Bicultural Program, fostering an inclusive community where every student thrives through culturally relevant, project-based learning.", + "bullets": [ + "Home to Northern California's only Japanese Bilingual Bicultural Program offering daily Japanese language and cultural education.", + "Comprehensive STEAM curriculum emphasizing science, technology, engineering, arts, and mathematics for experiential learning.", + "Environmentally conscious campus featuring outdoor classrooms, hands-on gardens, and eco-friendly infrastructure enhancements.", + "Collaborative community supported by an active Parent Teacher Association and a nurturing afterschool program in partnership with YMCA ExCEL.", + "Dedicated Special Education resources providing individualized support for students with diverse needs and learning styles." + ], + "programs": [ + { + "name": "STEAM Program", + "description": "An integrated curriculum focusing on science, technology, engineering, arts, and mathematics to foster innovative and critical thinking skills in students." + }, + { + "name": "Special Education Program", + "description": "Offers various support systems including PreK Special Day Class and a Resource Specialist Program, with a separate class focused on mild/moderate autism support." + }, + { + "name": "Japanese Bilingual Bicultural Program (JBBP)", + "description": "A unique program integrating Japanese language and cultural education with the core curriculum, provided by native-speaking Japanese instructors." + }, + { + "name": "Rosa Parks PreKindergarten Program", + "description": "An on-site program serving children from ages 2 years and 9 months to 5 years, preparing them for elementary education." + }, + { + "name": "Afterschool Program (YMCA ExCEL)", + "description": "A comprehensive on-site program offering homework help, outdoor play, athletics, and clubs, available to all students with sliding scale fees." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/rosa-parks-logo_0.png", + "logoAltText": "Rosa Parks Elementary School Logo", + "filePath": "rosa-parks-elementary-school.png" + } + }, + { + "schoolStub": "ruth-asawa-san-francisco-school-arts", + "schoolUrl": "https://www.sfusd.edu/school/ruth-asawa-san-francisco-school-arts", + "schoolLabel": "Ruth Asawa San Francisco School of the Arts", + "image": null, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Diamond Heights, Forest Hill, Miraloma, Twin Peaks, West Portal", + "principal": "Stella Kim", + "locations": ["555 Portola Drive, San Francisco, California 94131"], + "phone": "415-695-5700", + "geolocations": [ + { + "addressString": "555 Portola Dr, San Francisco, CA 94131-1616, United States", + "addressDetails": { + "Label": "555 Portola Dr, San Francisco, CA 94131-1616, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Diamond Heights", + "PostalCode": "94131-1616", + "Street": "Portola Dr", + "StreetComponents": [ + { + "BaseName": "Portola", + "Type": "Dr", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "555" + }, + "geo": [-122.44889, 37.74541], + "geoBounds": [-122.45003, 37.74451, -122.44775, 37.74631] + } + ], + "enrollment": "700", + "schoolCode": "815", + "ytLinks": [ + "https://www.youtube.com/embed/gouN1t1GxE0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["gouN1t1GxE0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "The Ruth Asawa San Francisco School of the Arts is a unique public high school offering audition-based admission, known for its dynamic arts programs and commitment to academic excellence and cultural diversity.", + "bullets": [ + "Audition-based specialized arts high school focusing on equity and excellence in arts and academics.", + "Students collaborate with professional artists and diverse community members to develop personal and civic identity through the arts.", + "Strong integration of arts and academics, including Advanced Placement classes and Career Technical Education.", + "Unique programs such as artists in residence, project-based learning, and STEAM education.", + "Offers a welcoming environment with dedicated resources like counseling, an on-site nurse, and diverse student support programs." + ], + "programs": [ + { + "name": "Advanced Placement (AP) Classes", + "description": "Offers students the opportunity to take college-level courses and exams for college credit." + }, + { + "name": "Career Technical Education (CTE) Academies", + "description": "Prepares students for careers in arts, media, and entertainment through specialized technical education." + }, + { + "name": "Dance Conservatory", + "description": "Provides intensive training in both conservatory and world dance styles for aspiring dancers." + }, + { + "name": "Music Program", + "description": "Includes band, orchestra, guitar, piano, vocal, and world music, with opportunities for students to join ensembles like jazz, mariachi, and rock bands." + }, + { + "name": "Media & Film", + "description": "Focuses on media arts, offering students exposure and hands-on experience in film production and digital media." + }, + { + "name": "Theatre Arts", + "description": "Features comprehensive training in acting, musical theatre, and theater technology such as costumes and stagecraft." + }, + { + "name": "Visual Arts", + "description": "Covers disciplines such as drawing, painting, architecture, and design, aiming to develop students' individual artistic identities." + }, + { + "name": "STEAM Education", + "description": "Incorporates science, technology, engineering, arts, and mathematics into project-based learning experiences." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/ASAWA-SOTA%20LOGO_0.jpg", + "logoAltText": "Ruth Asawa San Francisco School of the Arts Logo", + "filePath": "ruth-asawa-san-francisco-school-arts.jpg" + } + }, + { + "schoolStub": "san-francisco-community-school", + "schoolUrl": "https://www.sfusd.edu/school/san-francisco-community-school", + "schoolLabel": "San Francisco Community School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/SFC2017_playstructure.jpg?itok=iV6Q5fNF", + "width": "320", + "height": "240", + "filePath": "public/school_img/san-francisco-community-school.jpg" + }, + "gradesLabel": "Elementary School, K-8 School, Middle School", + "gradeCodes": ["TK", "K", "1-8"], + "neighborhood": "Excelsior", + "principal": "Laurie Murdock", + "locations": ["125 Excelsior Avenue, San Francisco, California 94112"], + "phone": "415-469-4739", + "geolocations": [ + { + "addressString": "125 Excelsior Ave, San Francisco, CA 94112-2041, United States", + "addressDetails": { + "Label": "125 Excelsior Ave, San Francisco, CA 94112-2041, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Excelsior", + "PostalCode": "94112-2041", + "Street": "Excelsior Ave", + "StreetComponents": [ + { + "BaseName": "Excelsior", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "125" + }, + "geo": [-122.43215, 37.72586], + "geoBounds": [-122.43329, 37.72496, -122.43101, 37.72676] + } + ], + "enrollment": "290", + "schoolCode": "493", + "ytLinks": [ + "https://www.youtube.com/embed/iRcTQQx4tA4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["iRcTQQx4tA4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "San Francisco Community School is a nurturing, diverse K-8 educational institution dedicated to fostering academic excellence and positive school experiences for all students.", + "bullets": [ + "Small class sizes to ensure personalized attention and relationship-building.", + "Innovative, science-based, challenge-driven projects enhance learning engagement.", + "Multi-age classrooms promote a strong sense of community and inclusivity.", + "Regular communication and collaboration with families to support student success.", + "Comprehensive arts and athletics programs to enrich student development." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Offers before school recess from 9:00am-9:30am with breakfast available, along with districtwide before and after school program information." + }, + { + "name": "After School Programs", + "description": "Includes City Scholars ExCEL ASP, Boys and Girls Club, and more, providing activities from 3:30-6:30 p.m. (2:30-5:30 p.m. on Wednesdays)." + }, + { + "name": "Special Education Programs", + "description": "Resource Specialist Program Services provided during the school day to support students with special needs." + }, + { + "name": "Academic Enrichment", + "description": "Includes Playworks and various arts enrichment classes such as art, choir, computers, drumming, gardening, and instrumental music." + }, + { + "name": "Athletics", + "description": "Offers sports programs including basketball, track and field, and volleyball to promote physical health and teamwork." + }, + { + "name": "Student Support Programs", + "description": "Access to various support services including a nurse, advisory counselor, family liaison, health and wellness center, instructional coach, social worker, and speech pathologist." + } + ] + } + }, + { + "schoolStub": "san-francisco-international-high-school", + "schoolUrl": "https://www.sfusd.edu/school/san-francisco-international-high-school", + "schoolLabel": "San Francisco International High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/DSC01608.JPG?itok=Gen0CdVZ", + "width": "320", + "height": "213", + "filePath": "public/school_img/san-francisco-international-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Potrero Hill", + "principal": "Nicholas Chan", + "locations": ["655 De Haro Street, San Francisco, California 94107"], + "phone": "415-695-5781", + "geolocations": [ + { + "addressString": "655 De Haro St, San Francisco, CA 94107-2727, United States", + "addressDetails": { + "Label": "655 De Haro St, San Francisco, CA 94107-2727, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Potrero", + "PostalCode": "94107-2727", + "Street": "De Haro St", + "StreetComponents": [ + { + "BaseName": "De Haro", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "655" + }, + "geo": [-122.40081, 37.76167], + "geoBounds": [-122.40195, 37.76077, -122.39967, 37.76257] + } + ], + "enrollment": "420", + "schoolCode": "621", + "ytLinks": [ + "https://www.youtube.com/embed/ygQEGZWRi0Y?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["ygQEGZWRi0Y"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "SF International is a specialized school for recent immigrant students, emphasizing academic English development and personalized learning to prepare them for graduation and college readiness.", + "bullets": [ + "Unique program tailored for recent immigrant students to enhance English proficiency and academic success.", + "Small class sizes of 100 students per grade for personalized attention and support.", + "Offers a robust extracurricular program with after-school activities, sports, and arts.", + "Provides opportunities for career internships and college classes during senior year.", + "Focus on project-based learning and community involvement to motivate and engage students." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers numerous free activities daily until 6:00 PM, including tutoring, sports, clubs, and other extracurricular activities." + }, + { + "name": "Language Programs", + "description": "Features a Newcomer Program that supports students in all languages to facilitate their English development." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services to support students with special education needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Offers academic counseling, college classes, credit recovery, individualized learning plans, interdisciplinary studies, internships, project-based learning, service learning, and student portfolios." + }, + { + "name": "Arts Enrichment", + "description": "Students complete two years of art instruction, including dance, media arts, performing arts, and visual arts, with extension classes in design, murals, and community art." + }, + { + "name": "Athletics", + "description": "Provides a variety of sports options, such as badminton, basketball, cross country, soccer, spirit squad, volleyball, and wrestling." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory, counseling, health and wellness services, mentoring, on-site nurse and social worker, and college counseling." + }, + { + "name": "College Counseling", + "description": "Focuses on ensuring 100% college prep with academic counseling, financial aid nights, college fairs, application workshops, tours, and job readiness programs." + }, + { + "name": "School Data Reporting", + "description": "Publishes annual accountability reports to provide transparency on student achievement and school climate, with available translations in multiple languages." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/sfi%20logo4_3_0.png", + "logoAltText": "San Francisco International High School Logo", + "filePath": "san-francisco-international-high-school.png" + } + }, + { + "schoolStub": "san-francisco-public-montessori", + "schoolUrl": "https://www.sfusd.edu/school/san-francisco-public-montessori", + "schoolLabel": "San Francisco Public Montessori", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Front%20of%20School_History.jpg?itok=tnKtj11A", + "width": "320", + "height": "427", + "filePath": "public/school_img/san-francisco-public-montessori.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "K", "1-5"], + "neighborhood": "Pacific Heights", + "principal": "Monette Benitez", + "locations": ["2340 Jackson Street", "San Francisco, California 94115"], + "phone": "415-749-3730", + "geolocations": [ + { + "addressString": "2340 Jackson St, San Francisco, CA 94115-1323, United States", + "addressDetails": { + "Label": "2340 Jackson St, San Francisco, CA 94115-1323, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Pacific Heights", + "PostalCode": "94115-1323", + "Street": "Jackson St", + "StreetComponents": [ + { + "BaseName": "Jackson", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2340" + }, + "geo": [-122.4336, 37.79287], + "geoBounds": [-122.43474, 37.79197, -122.43246, 37.79377] + }, + { + "addressString": "94115, San Francisco, CA, United States", + "addressDetails": { + "Label": "94115, San Francisco, CA, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "PostalCode": "94115" + }, + "geo": [-122.44358, 37.78048], + "geoBounds": [-122.44773, 37.77622, -122.42579, 37.79585] + } + ], + "enrollment": "225", + "schoolCode": "814", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "San Francisco Public Montessori is dedicated to fostering each child's potential by integrating the Montessori method with California standards to enhance intellectual, physical, emotional, and social growth.", + "bullets": [ + "Combines California Common Core Standards with Montessori Curriculum to deliver a holistic educational experience.", + "Focuses on leveraging cultural resources to help students overcome challenges and achieve success.", + "Prioritizes empowering underserved students and families to bridge the opportunity gap.", + "Commits to recruiting a diverse staff to address and dismantle systemic barriers.", + "Fosters collaborative relationships with students, families, and communities to guide decision-making." + ], + "programs": [ + { + "name": "Onsite After School Program: K.E.E.P.", + "description": "Offers after school care for students with extended hours Monday to Friday, providing a safe and supportive environment." + }, + { + "name": "SFUSD Early Education Department Out of School Time Program", + "description": "A Pre-K only program running from 8:45 AM to 5:45 PM, designed to support young learners with catered educational activities." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services to support students with special needs during the school day." + }, + { + "name": "Arts Enrichment", + "description": "Encompasses a variety of artistic disciplines, such as visual arts, dance, instrumental music, and performing arts, in collaboration with partners like SF Ballet and SF Symphony." + }, + { + "name": "Student Support Programs", + "description": "Provides health and wellness services with an onsite nurse and social worker to support the overall well-being of students." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/SFPM_Stationary%20Logo_sm.png", + "logoAltText": "San Francisco Public Montessori Logo", + "filePath": "san-francisco-public-montessori.png" + } + }, + { + "schoolStub": "san-miguel-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/san-miguel-early-education-school", + "schoolLabel": "San Miguel Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK"], + "neighborhood": "Ingleside", + "principal": "Anita Tong", + "locations": ["300 Seneca Avenue, San Francisco, California 94112"], + "phone": "415-469-4756", + "geolocations": [ + { + "addressString": "300 Seneca Ave, San Francisco, CA 94112-3248, United States", + "addressDetails": { + "Label": "300 Seneca Ave, San Francisco, CA 94112-3248, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission Terrace", + "PostalCode": "94112-3248", + "Street": "Seneca Ave", + "StreetComponents": [ + { + "BaseName": "Seneca", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "300" + }, + "geo": [-122.44493, 37.72171], + "geoBounds": [-122.44607, 37.72081, -122.44379, 37.72261] + } + ], + "ytLinks": [ + "https://www.youtube.com/embed/RAiRDsKA2Y0?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["RAiRDsKA2Y0"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Our school offers a dynamic and nurturing environment dedicated to both academic excellence and the social-emotional well-being of students.", + "bullets": [ + "Annual surveys assess school climate indicators promoting positive student academic achievement.", + "Focus on social-emotional learning for students across grades 4-12.", + "Integrated General Education class available for pre-kindergarten students." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Dedicated programs offering tailored educational experiences and support for students with special needs." + }, + { + "name": "Integrated General Education Class (PK only)", + "description": "A program that integrates pre-kindergarten students into general education settings, fostering inclusive learning environments." + } + ] + } + }, + { + "schoolStub": "sanchez-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sanchez-elementary-school", + "schoolLabel": "Sanchez Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/school%20entrance.jpg?itok=74HGY50S", + "width": "320", + "height": "240", + "filePath": "public/school_img/sanchez-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Mission / Castro / Upper Market", + "principal": "Ann Marin", + "locations": ["325 Sanchez Street, San Francisco, California 94114"], + "phone": "415-241-6380", + "geolocations": [ + { + "addressString": "325 Sanchez St, San Francisco, CA 94114-1615, United States", + "addressDetails": { + "Label": "325 Sanchez St, San Francisco, CA 94114-1615, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Castro", + "PostalCode": "94114-1615", + "Street": "Sanchez St", + "StreetComponents": [ + { + "BaseName": "Sanchez", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "325" + }, + "geo": [-122.43058, 37.76383], + "geoBounds": [-122.43172, 37.76293, -122.42944, 37.76473] + } + ], + "enrollment": "285", + "schoolCode": "816", + "ytLinks": [ + "https://www.youtube.com/embed/ntWZmOuYfOI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["ntWZmOuYfOI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sanchez Elementary School is a vibrant community prioritizing high-quality instruction and a student-centered approach to ensure academic success and social justice for all students.", + "bullets": [ + "Commitment to social justice with culturally-relevant instruction and high standards.", + "Strong partnerships fostering engagement through peer, parental, and staff collaboration.", + "Innovative Spanish Biliteracy Program promoting proficiency in both Spanish and English.", + "Leadership development initiatives for students, parents, and teachers to build a collaborative community.", + "Comprehensive arts and academic enrichment programs including STEAM and multicultural arts initiatives." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Breakfast service from 7:30 a.m. to 7:50 a.m., weekly announcements on Mondays, and student celebrations on Fridays." + }, + { + "name": "After School Programs", + "description": "ExCEL onsite afterschool care from 2:05 to 6 p.m. on MTThF or 12:50 to 6 p.m. on Wednesdays, partnered with Mission Graduates and Boys and Girls Club for extended learning and activities." + }, + { + "name": "Spanish Biliteracy Program", + "description": "A key instructional approach encouraging Spanish-speaking students to develop literacy skills in Spanish through 5th grade while bridging to English proficiency." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and separate classes for moderate/severe needs, with a focus on providing tailored educational support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features activities such as STEM education, language and literacy interventionists, arts programs, and tutoring to enhance learning experiences." + }, + { + "name": "Arts Enrichment", + "description": "Offers weekly visual arts classes for grades TK-5, movement classes for K-1, and instrumental music for grades 4-5." + }, + { + "name": "Student Support Programs", + "description": "Includes family liaisons, health and wellness resources, mentoring, and social work services to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Sanchez%20new%20logo_0.jpg", + "logoAltText": "Sanchez Elementary School Logo", + "filePath": "sanchez-elementary-school.jpg" + } + }, + { + "schoolStub": "sheridan-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sheridan-elementary-school", + "schoolLabel": "Sheridan Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/20210827_170823.jpg?itok=s6-6hh3f", + "width": "320", + "height": "156", + "filePath": "public/school_img/sheridan-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Ocean View", + "principal": "Dina Edwards", + "locations": ["431 Capitol Avenue, San Francisco, California 94112"], + "phone": "415-469-4743", + "geolocations": [ + { + "addressString": "431 Capitol Ave, San Francisco, CA 94112-2934, United States", + "addressDetails": { + "Label": "431 Capitol Ave, San Francisco, CA 94112-2934, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Oceanview", + "PostalCode": "94112-2934", + "Street": "Capitol Ave", + "StreetComponents": [ + { + "BaseName": "Capitol", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "431" + }, + "geo": [-122.45937, 37.71431], + "geoBounds": [-122.46051, 37.71341, -122.45823, 37.71521] + } + ], + "enrollment": "250", + "schoolCode": "820", + "ytLinks": [ + "https://www.youtube.com/embed/OS0lyC-t7XY?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["OS0lyC-t7XY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sheridan Elementary School is a nurturing and inclusive educational community in the Oceanview Merced Ingleside District, providing high-quality learning experiences from preschool through 5th grade with a focus on joyful and challenging educational opportunities for all students.", + "bullets": [ + "Inclusive environment accommodating diverse race and economic backgrounds.", + "Exceptional teaching staff fostering high-achieving, joyful learners.", + "Robust parental involvement ensuring a supportive community.", + "Comprehensive after-school programs managed by the YMCA offering sports, arts, and technology.", + "Diverse enrichment programs including arts residency, drumming, and literacy interventions." + ], + "programs": [ + { + "name": "YMCA After School Program", + "description": "An on-site program from 2:00 to 6pm offering homework assistance, peer leadership, sports, art, dance, music, and technology." + }, + { + "name": "PreK Special Day Class", + "description": "Special education program tailored for preschool-aged children with unique learning needs." + }, + { + "name": "Resource Specialist Program", + "description": "Provides specialized support and services to assist students with varying educational needs." + }, + { + "name": "Education Outside", + "description": "Program focused on outdoor learning experiences integrated into the school curriculum." + }, + { + "name": "Arts Residency", + "description": "Enrichment program offering instruction in various art forms including drumming, theater, chorus, and weekly art classes." + }, + { + "name": "English Literacy Interventionist", + "description": "Targeted intervention program to boost English literacy skills among students." + }, + { + "name": "Student Support Programs", + "description": "Inclusive services such as family liaison, mentoring, on-site nurse, and social worker support." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Sheridan%20ES%20Logo%202009.jpg", + "logoAltText": "Sheridan Elementary School Logo", + "filePath": "sheridan-elementary-school.jpg" + } + }, + { + "schoolStub": "sherman-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sherman-elementary-school", + "schoolLabel": "Sherman Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/sherman.jpg?itok=wFiYIvIe", + "width": "320", + "height": "240", + "filePath": "public/school_img/sherman-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Marina", + "principal": "Helen Parker", + "locations": ["1651 Union Street, San Francisco, California 94123"], + "phone": "415-749-3530", + "geolocations": [ + { + "addressString": "1651 Union St, San Francisco, CA 94123-4506, United States", + "addressDetails": { + "Label": "1651 Union St, San Francisco, CA 94123-4506, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Cow Hollow", + "PostalCode": "94123-4506", + "Street": "Union St", + "StreetComponents": [ + { + "BaseName": "Union", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1651" + }, + "geo": [-122.42611, 37.7978], + "geoBounds": [-122.42725, 37.7969, -122.42497, 37.7987] + } + ], + "enrollment": "375", + "schoolCode": "823", + "ytLinks": [ + "https://www.youtube.com/embed/ZHYgbeMuiSI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["ZHYgbeMuiSI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sherman Elementary School, a prestigious K-5 CDE Distinguished Elementary School in San Francisco, is celebrated for its holistic approach to education focusing on academic excellence, social-emotional growth, and equity among its diverse student body.", + "bullets": [ + "Established in 1892, located in the vibrant Cow Hollow - Marina area.", + "Strong community ties through active partnerships and a dedicated Parent Teacher Association.", + "Innovative programs including a thriving garden as a 'living classroom', technology classes, and a maker studio.", + "Focus on arts integration with partnerships in dance, music, and visual arts enhancing academic learning.", + "Dedicated support for literacy and math development through on-site coaching and professional development." + ], + "programs": [ + { + "name": "Sharks Until Dark After-School Program", + "description": "A safe, engaging after-school environment running until 6:00pm, featuring homework assistance, enrichment classes, snacks, and recreational activities, available on a sliding scale with scholarships." + }, + { + "name": "Special Education Programs", + "description": "Inclusive education featuring autism-targeted special day classes and a Resource Specialist Program (RSP) for seamless integration of special education within general settings." + }, + { + "name": "School Day Academic Enrichment", + "description": "Programs include computer science, English literacy intervention, project-based learning, and STEAM activities designed to enrich academic experiences." + }, + { + "name": "Arts Enrichment", + "description": "Comprehensive arts programs with opportunities in dance, music, visual arts, and partnerships with renowned organizations like the San Francisco Symphony and Ballet." + }, + { + "name": "Student Support Programs", + "description": "Support initiatives such as a mental health consultant and tailored tutoring to enhance student well-being and academic success." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Unsinkable%20Blue%20Retro_logo_updated_colors_oval.png", + "logoAltText": "Sherman Elementary School Logo", + "filePath": "sherman-elementary-school.png" + } + }, + { + "schoolStub": "spring-valley-science-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/spring-valley-science-elementary-school", + "schoolLabel": "Spring Valley Science Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Screen%20Shot%202019-11-04%20at%208.22.56%20AM.png?itok=yxVexG8K", + "width": "320", + "height": "163", + "filePath": "public/school_img/spring-valley-science-elementary-school.png" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Nob Hill", + "principal": "Jessica Arnott", + "locations": ["1451 Jackson Street, San Francisco, California 94109"], + "phone": "415-749-3535", + "geolocations": [ + { + "addressString": "1451 Jackson St, San Francisco, CA 94109-3115, United States", + "addressDetails": { + "Label": "1451 Jackson St, San Francisco, CA 94109-3115, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Nob Hill", + "PostalCode": "94109-3115", + "Street": "Jackson St", + "StreetComponents": [ + { + "BaseName": "Jackson", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1451" + }, + "geo": [-122.4188, 37.79402], + "geoBounds": [-122.41994, 37.79312, -122.41766, 37.79492] + } + ], + "enrollment": "270", + "schoolCode": "834", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Spring Valley Science is committed to providing a forward-thinking education that emphasizes science, literacy, and the development of critical thinking and problem-solving skills, fostering a growth mindset among all students.", + "bullets": [ + "Comprehensive approach to literacy that develops avid readers and writers.", + "Focus on social justice to ensure inclusive learning for all children.", + "Personalized instruction tailored to varied learning styles and needs.", + "Emphasis on student responsibility and higher-level thinking skills.", + "Preparation of students to pursue ambitions and contribute effectively to society." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Offers structured activities post school hours including the OST program and YMCA services, focusing on academic enrichment and supervised activities." + }, + { + "name": "Language Programs", + "description": "Includes Cantonese and Spanish Biliteracy Programs to enhance language proficiency and cultural understanding." + }, + { + "name": "Special Education Programs", + "description": "Provides Resource Specialist Program Services to support students with special needs within the school environment." + }, + { + "name": "Academic Enrichment Programs", + "description": "Features a range of educational enhancements like computer labs, outdoor education, and literacy interventionists to bolster English and Spanish literacy." + }, + { + "name": "STEAM Programs", + "description": "Integrates science, technology, engineering, arts, and mathematics into the curriculum to cultivate a well-rounded skill set." + }, + { + "name": "Arts Enrichment", + "description": "Encompasses arts residencies and programs in ceramics, dance, music, theater, and visual arts, including partnerships with organizations like SF Ballet." + }, + { + "name": "Student Support Programs", + "description": "Provides resources including family liaisons, instructional coaches, social workers, and therapists to support the social-emotional wellness of students." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-10-07%20at%207.56.10%20AM.png", + "logoAltText": "Spring Valley Science Elementary School Logo", + "filePath": "spring-valley-science-elementary-school.png" + } + }, + { + "schoolStub": "starr-king-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/starr-king-elementary-school", + "schoolLabel": "Starr King Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Starr%20King%20Elementary%20students%20and%20staff%20posing%20for%20picture%20to%20thank%20parent%2C%20Rennie%20Saunders%20for%20championing%20school_s%20_greening%20committee_.jpg?itok=2XXzM_w2", + "width": "320", + "height": "213", + "filePath": "public/school_img/starr-king-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Potrero Hill", + "principal": "Darlene Martin", + "locations": ["1215 Carolina Street, San Francisco, California 94107"], + "phone": "415-695-5797", + "geolocations": [ + { + "addressString": "1215 Carolina St, San Francisco, CA 94107-3322, United States", + "addressDetails": { + "Label": "1215 Carolina St, San Francisco, CA 94107-3322, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Potrero", + "PostalCode": "94107-3322", + "Street": "Carolina St", + "StreetComponents": [ + { + "BaseName": "Carolina", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1215" + }, + "geo": [-122.39871, 37.75269], + "geoBounds": [-122.39985, 37.75179, -122.39757, 37.75359] + } + ], + "enrollment": "360", + "schoolCode": "838", + "ytLinks": [ + "https://www.youtube.com/embed/aHFSggQYXXY?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["aHFSggQYXXY"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Starr King Elementary School, nestled atop Potrero Hill, is a dynamic and ethnically diverse community dedicated to fostering a supportive and equitable learning environment through its variety of specialized programs and engaging educational experiences.", + "bullets": [ + "Diverse programs including Mandarin Immersion, General Education, and specialized support for students with autism.", + "Smallest class sizes in the district promote personalized learning and strong community relationships.", + "Robust after-school offerings include sports, music, and language support programs.", + "Comprehensive arts enrichment with partnerships such as the San Francisco Symphony's AIMS and Music In Schools Today.", + "Strong parent volunteer involvement enhances classroom support and enrichment opportunities." + ], + "programs": [ + { + "name": "Transitional-Kindergarten Program", + "description": "A preparatory program designed for younger students who are not yet ready to enter kindergarten, focusing on early development and foundational learning." + }, + { + "name": "EXL General Education Program", + "description": "An inclusive general education program emphasizing academic proficiency and social competency in a supportive environment." + }, + { + "name": "Mandarin Dual Language Immersion Program", + "description": "A bilingual educational program that fosters fluency in Mandarin alongside English, enhancing both language skills and cultural understanding." + }, + { + "name": "Moderate-Severe Autism Special Day Class", + "description": "A specialized program offering tailored support and resources for students with moderate to severe autism to achieve academic and social success." + }, + { + "name": "After School Program", + "description": "Run by Urban Services YMCA, offering an expansive range of activities such as sports, music, chess, and swimming, including Mandarin language support." + }, + { + "name": "Arts Enrichment Program", + "description": "Includes drumming, gardening, visual arts, and participation in cultural programs such as San Francisco Symphony's AIMS and Music In Schools Today." + }, + { + "name": "Student Support Services", + "description": "Provides essential support through mentoring, on-site nurse, social worker, student advisers, and therapy services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/SK%20Logo.jpg", + "logoAltText": "Starr King Elementary School Logo", + "filePath": "starr-king-elementary-school.jpg" + } + }, + { + "schoolStub": "sunnyside-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sunnyside-elementary-school", + "schoolLabel": "Sunnyside Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/sunnyside.jpg?itok=6ckcIpgE", + "width": "320", + "height": "320", + "filePath": "public/school_img/sunnyside-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Sunnyside", + "principal": "Dr. Sauntheri Spoering", + "locations": ["250 Foerster Street, San Francisco, California 94112"], + "phone": "415-469-4746", + "geolocations": [ + { + "addressString": "250 Foerster St, San Francisco, CA 94112-1341, United States", + "addressDetails": { + "Label": "250 Foerster St, San Francisco, CA 94112-1341, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Sunnyside", + "PostalCode": "94112-1341", + "Street": "Foerster St", + "StreetComponents": [ + { + "BaseName": "Foerster", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "250" + }, + "geo": [-122.44873, 37.73044], + "geoBounds": [-122.44987, 37.72954, -122.44759, 37.73134] + } + ], + "enrollment": "370", + "schoolCode": "842", + "ytLinks": [ + "https://www.youtube.com/embed/ad8LtISR4VU?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["ad8LtISR4VU"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sunnyside Elementary School offers a diverse and nurturing environment focused on developing well-rounded, capable students prepared for the complexities of modern society.", + "bullets": [ + "Diverse student body with personalized educational experiences.", + "Focus on nurturing curiosity, problem-solving, and teamwork skills.", + "Comprehensive arts and academic programs fostering well-rounded development.", + "Strong community and family engagement through various communication channels.", + "Supportive environment with specialized programs for holistic student development." + ], + "programs": [ + { + "name": "Before School Program - YMCA Mission", + "description": "A districtwide before and after school program running from 8am to 9:15am offering structured activities to start the day." + }, + { + "name": "After School Program - YMCA Mission", + "description": "A fee-based program providing homework support and various academic and creative enrichment activities until 6:30pm." + }, + { + "name": "Special Education Program", + "description": "Includes Resource Specialist Program Services and separate classes for moderate/severe needs, catering to students requiring specialized educational support." + }, + { + "name": "School Day Academic Enrichment", + "description": "Offers diverse academic enrichment through computer carts, education outside, English literacy intervention, Playworks, project-based learning, STEAM, technology teaching, and more." + }, + { + "name": "Arts Enrichment Program", + "description": "Encompasses a range of activities including coding, computers, dance, gardening, instrumental music, and visual arts supported by VAPA teachers." + }, + { + "name": "Student Support Programs", + "description": "Features essential support services including an instructional coach, on-site nurse, social worker, and speech pathologist, ensuring comprehensive student welfare." + } + ] + } + }, + { + "schoolStub": "sunset-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sunset-elementary-school", + "schoolLabel": "Sunset Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2020-05/mural.jpg?itok=3YQc0YJG", + "width": "320", + "height": "144", + "filePath": "public/school_img/sunset-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Outer Sunset", + "principal": "Rosina Tong", + "locations": ["1920 41st Avenue, San Francisco, California 94116"], + "phone": "415-759-2760", + "geolocations": [ + { + "addressString": "1920 41st Ave, San Francisco, CA 94116-1101, United States", + "addressDetails": { + "Label": "1920 41st Ave, San Francisco, CA 94116-1101, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Sunset", + "PostalCode": "94116-1101", + "Street": "41st Ave", + "StreetComponents": [ + { + "BaseName": "41st", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1920" + }, + "geo": [-122.49974, 37.75085], + "geoBounds": [-122.50088, 37.74995, -122.4986, 37.75175] + } + ], + "enrollment": "420", + "schoolCode": "750", + "ytLinks": [ + "https://www.youtube.com/embed/9F_IYWIIhxQ?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["9F_IYWIIhxQ"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sunset School is a vibrant and inclusive educational community that prioritizes academic excellence and social justice, offering students a variety of programs to support holistic development in a safe and nurturing environment.", + "bullets": [ + "Diverse and inclusive community committed to equity and academic growth.", + "Offers a comprehensive curriculum with a focus on STEAM, including outdoor science, technology, and the arts.", + "Engages in best teaching practices aligned with Common Core standards and interdisciplinary strategies.", + "Strong parent and community involvement enhances student success.", + "Provides targeted programs for before and after school enrichment and special education." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Run by the Bay Area Community Resources and the Sunset Neighborhood Beacon Center, offering fee-based on-site morning care for students." + }, + { + "name": "After School Programs", + "description": "Fee-based program available for grades K-5 focusing on academics, enrichment, and homework support, managed by BACR and ExCEL." + }, + { + "name": "Resource Specialist Program Services", + "description": "Services provided to support students with special education needs, emphasizing moderate/severe autism." + }, + { + "name": "School Day Academic Enrichment", + "description": "Includes access to computer carts, a library, project-based learning, and the STEAM curriculum." + }, + { + "name": "Arts Enrichment", + "description": "Offering choir, dance, gardening, instrumental music, and performing arts programs, including participation in the SF Ballet." + }, + { + "name": "AIM Symphony Ensemble Groups", + "description": "Provides students with the opportunity to partake in group musical ensembles." + }, + { + "name": "Student Support Programs", + "description": "Access to a social worker to support various student needs and well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/new-logo.png", + "logoAltText": "Sunset Elementary School Logo", + "filePath": "sunset-elementary-school.png" + } + }, + { + "schoolStub": "sutro-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/sutro-elementary-school", + "schoolLabel": "Sutro Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/2023-03/Screen%20Shot%202020-12-15%20at%203.41.49%20PM.png?itok=4svz4dNY", + "width": "320", + "height": "212", + "filePath": "public/school_img/sutro-elementary-school.png" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Inner Richmond", + "principal": "Beth Bonfiglio", + "locations": ["235 12th Avenue, San Francisco, California 94118"], + "phone": "415-750-8525", + "geolocations": [ + { + "addressString": "235 12th Ave, San Francisco, CA 94118-2103, United States", + "addressDetails": { + "Label": "235 12th Ave, San Francisco, CA 94118-2103, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Inner Richmond", + "PostalCode": "94118-2103", + "Street": "12th Ave", + "StreetComponents": [ + { + "BaseName": "12th", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "235" + }, + "geo": [-122.47115, 37.78372], + "geoBounds": [-122.47229, 37.78282, -122.47001, 37.78462] + } + ], + "enrollment": "275", + "schoolCode": "848", + "ytLinks": [ + "https://www.youtube.com/embed/lH7mer9fEWw?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["lH7mer9fEWw"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Sutro Elementary offers a nurturing and inclusive learning environment with a strong academic program and a commitment to equal opportunities for all its diverse student community.", + "bullets": [ + "Strong focus on academic excellence with a collaborative and family-oriented approach.", + "Offers a variety of after-school programs including homework support, piano, Mandarin, and coding classes.", + "Emphasizes individual attention and a supportive community culture for each student.", + "Comprehensive arts enrichment including visual arts, dance, and instrumental music.", + "Dedicated to addressing both academic and social-emotional needs through a supportive school community." + ], + "programs": [ + { + "name": "SFUSD OST Program", + "description": "An extensive after-school program for K-5th grade students providing activities from 3:45PM to 6:00PM and full-day sessions during Spring Break and Summer." + }, + { + "name": "Sutro Before and After School", + "description": "Programs supported by Presidio Community YMCA/ExCEL for K-5th grade offering extended school hours from 7:30AM to 9:30AM and 3:34PM to 6:00PM." + }, + { + "name": "Cantonese Biliteracy Program", + "description": "A dedicated pathway for students to achieve biliteracy in Cantonese along with regular curriculum integration." + }, + { + "name": "Resource Specialist Program", + "description": "Services designed to support students with special educational needs through specialized resources and assistance." + }, + { + "name": "STEAM Education", + "description": "Integrated programs focusing on science, technology, engineering, arts, and mathematics supported by a technology teacher to enrich students' learning experience." + }, + { + "name": "Visual and Performing Arts (VAPA)", + "description": "Artistic enrichment for K-5 with visual arts programs, and dance, poetry, and instrumental music training for grades 4-5." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202020-08-25%20at%208.53.10%20PM.png", + "logoAltText": "Sutro Elementary School Logo", + "filePath": "sutro-elementary-school.png" + } + }, + { + "schoolStub": "tenderloin-community-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/tenderloin-community-elementary-school", + "schoolLabel": "Tenderloin Community Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/tenderloin.jpg?itok=bdpJjOne", + "width": "320", + "height": "165", + "filePath": "public/school_img/tenderloin-community-elementary-school.jpg" + }, + "gradesLabel": "Early Education, Elementary School", + "gradeCodes": ["PreK", "TK", "K", "1-5"], + "neighborhood": "Downtown/Civic Center", + "principal": "Paul\tLister", + "locations": ["627 Turk Street, San Francisco, California 94102"], + "phone": "415-749-3567", + "geolocations": [ + { + "addressString": "627 Turk St, San Francisco, CA 94102-3212, United States", + "addressDetails": { + "Label": "627 Turk St, San Francisco, CA 94102-3212, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Tenderloin", + "PostalCode": "94102-3212", + "Street": "Turk St", + "StreetComponents": [ + { + "BaseName": "Turk", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "627" + }, + "geo": [-122.41974, 37.78181], + "geoBounds": [-122.42088, 37.78091, -122.4186, 37.78271] + } + ], + "enrollment": "330", + "schoolCode": "859", + "ytLinks": [ + "https://www.youtube.com/embed/CO-dRq2ZEm8?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["CO-dRq2ZEm8"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Tenderloin Community School (TCS) is a vibrant PreK-5th Grade public elementary institution that champions a collaborative learning environment with integrated community resources to enhance joyful and comprehensive education.", + "bullets": [ + "Hosts a range of community resources on-campus, including a dental clinic, fostering a well-rounded support system for students.", + "Generous backing from the Bay Area Women's and Children Center enriches the school's resources for joyful learning.", + "Provides a diverse array of before and after-school programs, including partnerships with organizations like YMCA and Boys & Girls Club.", + "Offers specialized programs such as the Vietnamese Foreign Language in Elementary School (FLES) and SOAR special education program for enhanced learning opportunities.", + "Ensures robust student support with access to resources like a health and wellness center, family support specialists, and multiple student advisers." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Morning reading lab begins at 8am, along with districtwide before-school programs." + }, + { + "name": "After School Programs", + "description": "Includes YMCA, Up on Top, Salvation Army Kroc Center, Glide After School Program, and more, offering activities until 6:00 pm daily." + }, + { + "name": "Language Programs", + "description": "Vietnamese Foreign Language in Elementary School (FLES) program designed to enhance language skills in young learners." + }, + { + "name": "Special Education Programs", + "description": "SOAR (Success, Opportunity, Achievement, Resiliency) program tailored to support students requiring emotional and educational assistance." + }, + { + "name": "School Day Academic Enrichment", + "description": "Features technology integration with computer carts, English literacy intervention, tutoring, and specialized instruction." + }, + { + "name": "Arts Enrichment", + "description": "Provides comprehensive arts education including dance, drama, gardening, and visual and performing arts (VAPA)." + }, + { + "name": "Student Support Programs", + "description": "Access to a nurse, family liaison, family support specialist, and additional wellness resources." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/tenderloin%20cs%20v2%20b%26w.jpg", + "logoAltText": "Tenderloin Community Elementary School Logo", + "filePath": "tenderloin-community-elementary-school.jpg" + } + }, + { + "schoolStub": "academy-san-francisco-mcateer", + "schoolUrl": "https://www.sfusd.edu/school/academy-san-francisco-mcateer", + "schoolLabel": "The Academy - San Francisco @ McAteer", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/The%20Academy%20-%20San%20Francisco%20%40%20McAteer.jpg?itok=rIyqBgaR", + "width": "320", + "height": "427", + "filePath": "public/school_img/academy-san-francisco-mcateer.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-12"], + "neighborhood": "Diamond Heights, Glen Park, Portola", + "principal": "Hollie Mack", + "locations": ["555 Portola Drive, San Francisco, California 94131"], + "phone": "MAIN 415-695-5701 / ATTENDANCE 415-695-5709", + "geolocations": [ + { + "addressString": "555 Portola Dr, San Francisco, CA 94131-1616, United States", + "addressDetails": { + "Label": "555 Portola Dr, San Francisco, CA 94131-1616, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Diamond Heights", + "PostalCode": "94131-1616", + "Street": "Portola Dr", + "StreetComponents": [ + { + "BaseName": "Portola", + "Type": "Dr", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "555" + }, + "geo": [-122.44889, 37.74541], + "geoBounds": [-122.45003, 37.74451, -122.44775, 37.74631] + } + ], + "enrollment": "200", + "schoolCode": "832", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "The Academy-SF is a tight-knit educational community that ensures students are college-ready through a comprehensive curriculum and personalized counseling, benefiting from college credit partnerships and diverse extracurricular programs.", + "bullets": [ + "Graduates complete a-g requirements, making them college-eligible, with the opportunity to earn transferable college credits through a partnership with CCSF.", + "Each student receives personalized college counseling throughout their high school years, supported by full-time counselors.", + "The small school setting allows for close student-teacher-family relationships, fostering a strong and supportive learning community.", + "Students benefit from a rich variety of after school programs, including academic tutoring, arts, and informal mentoring.", + "A wide range of arts and athletics programs provides students with opportunities to excel outside the traditional classroom." + ], + "programs": [ + { + "name": "After School Programs", + "description": "Includes academic tutoring, enrichment activities, CAHSEE prep, credit recovery, and mandatory study hall for student-athletes. Activities feature Graffiti Arts, Cooking Club, and a Hip Hop Recording Studio." + }, + { + "name": "Language Programs", + "description": "Offers Spanish as a world language option." + }, + { + "name": "Special Education Programs", + "description": "Provides separate classes for Deaf and hard of hearing students (total communication) and those with mild/moderate needs." + }, + { + "name": "Academic Enrichment", + "description": "Includes academic counseling, Advanced Placement (AP) classes, on-site college classes, credit recovery, and tutoring." + }, + { + "name": "Arts Enrichment", + "description": "Instruction in visual arts, music, dance, drama, and performing arts." + }, + { + "name": "Athletics", + "description": "Offers sports such as badminton, baseball, basketball, cross country, fencing, flag football, soccer, softball, track and field, and volleyball." + }, + { + "name": "Student Support Programs", + "description": "Access to a nurse, counselor, health and wellness center, social worker, and therapist." + }, + { + "name": "Career Technical Education Academies", + "description": "Focused on Agriculture and Natural Resources and Education, Child Development and Family Services." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/wolf%20logo%20head-208_0.jpg", + "logoAltText": "The Academy - San Francisco @ McAteer Logo", + "filePath": "academy-san-francisco-mcateer.jpg" + } + }, + { + "schoolStub": "theresa-s-mahler-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/theresa-s-mahler-early-education-school", + "schoolLabel": "Theresa S. Mahler Early Education School", + "image": null, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK"], + "neighborhood": "Noe Valley", + "principal": null, + "locations": ["990 Church Street, San Francisco, California 94114"], + "phone": "415-695-5871", + "geolocations": [ + { + "addressString": "990 Church St, San Francisco, CA 94114-3044, United States", + "addressDetails": { + "Label": "990 Church St, San Francisco, CA 94114-3044, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Noe Valley", + "PostalCode": "94114-3044", + "Street": "Church St", + "StreetComponents": [ + { + "BaseName": "Church", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "990" + }, + "geo": [-122.42809, 37.75527], + "geoBounds": [-122.42923, 37.75437, -122.42695, 37.75617] + } + ], + "enrollment": "60", + "schoolCode": "923", + "ytLinks": [ + "https://www.youtube.com/embed/_BzCvsbOfdg?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["_BzCvsbOfdg"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Theresa S. Mahler Early Education School in San Francisco's Noe Valley offers a nurturing and diverse environment catered to individualized early learning, emphasizing literacy, STEM, and social-emotional development.", + "bullets": [ + "Located in the vibrant Noe Valley neighborhood of San Francisco, offering a community-focused learning environment.", + "Embraces the research-based Creative Curriculum framework, aligned with SFUSD goals and priorities.", + "Encourages hands-on learning with a balance of indoor and outdoor activities for mixed-age groups.", + "Highlights the importance of literacy, STEM, and social-emotional development in early education.", + "Promotes positive relationships with families, ensuring an engaging and inclusive learning experience with multilingual staff." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Provides inclusive services tailored to the needs of each child, ensuring a supportive and accommodating learning environment." + }, + { + "name": "Integrated General Education Class (PK only)", + "description": "Offers a mixed-age classroom setting where young children engage in comprehensive educational experiences together." + } + ] + } + }, + { + "schoolStub": "thurgood-marshall-academic-high-school", + "schoolUrl": "https://www.sfusd.edu/school/thurgood-marshall-academic-high-school", + "schoolLabel": "Thurgood Marshall Academic High School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/school_thurgood_mural.jpg?itok=YPnloQqR", + "width": "320", + "height": "240", + "filePath": "public/school_img/thurgood-marshall-academic-high-school.jpg" + }, + "gradesLabel": "High School", + "gradeCodes": ["9-13"], + "neighborhood": "Bayview", + "principal": "Sarah Ballard-Hanson", + "locations": ["45 Conkling Street, San Francisco, California 94124"], + "phone": "415-695-5612", + "geolocations": [ + { + "addressString": "45 Conkling St, San Francisco, CA 94124-1931, United States", + "addressDetails": { + "Label": "45 Conkling St, San Francisco, CA 94124-1931, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Silver Terrace", + "PostalCode": "94124-1931", + "Street": "Conkling St", + "StreetComponents": [ + { + "BaseName": "Conkling", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "45" + }, + "geo": [-122.40211, 37.73609], + "geoBounds": [-122.40325, 37.73519, -122.40097, 37.73699] + } + ], + "enrollment": "515", + "schoolCode": "853", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Thurgood Marshall Academic High School is a diverse, college preparatory institution in southeast San Francisco that empowers students with a comprehensive, project-based learning experience for post-secondary success.", + "bullets": [ + "Multicultural and multilinguistic community focused on ensuring students graduate ready for college and careers.", + "Eight-period schedule allowing for an extra course, including Advanced Placement options, to meet UC and CSU admission requirements.", + "Fully staffed Wellness and College & Career Centers aimed at supporting students' holistic and academic needs.", + "Robust extracurricular and leadership development through clubs, sports, and work-based opportunities.", + "Strong emphasis on real-world experiential learning and community partnership." + ], + "programs": [ + { + "name": "After School Programs", + "description": "The Good Samaritan afterschool program provides a range of student clubs and academic support like Cooking Club, Skateboard Club, tutoring, and Leadership In Training opportunities." + }, + { + "name": "Language Programs", + "description": "Includes a Newcomer Program designed for all languages, catering to the needs of multilingual students." + }, + { + "name": "Special Education Programs", + "description": "Programs include ACCESS - Adult Transition Services, Resource Specialist Program, and SOAR, catering to various special needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Offers academic counseling, Advanced Placement classes, Career Technical Education, college classes, and enrichment activities in arts and athletics." + }, + { + "name": "Career Technical Education Academies", + "description": "Specialized academies such as the Culinary Pathway and Game Design, providing focused skill development for future careers." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Phoenix%20Logo%2019-20.png", + "logoAltText": "Thurgood Marshall Academic High School Logo", + "filePath": "thurgood-marshall-academic-high-school.png" + } + }, + { + "schoolStub": "tule-elk-park-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/tule-elk-park-early-education-school", + "schoolLabel": "Tule Elk Park Early Education School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/download%20%281%29.jpg?itok=hk4f0_Ka", + "width": "259", + "height": "194", + "filePath": "public/school_img/tule-elk-park-early-education-school.jpg" + }, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Marina", + "principal": "Nancy Lambert-Campbell", + "locations": ["2110 Greenwich Street, San Francisco, California 94123"], + "phone": "415-749-3551", + "geolocations": [ + { + "addressString": "2110 Greenwich St, San Francisco, CA 94123-3405, United States", + "addressDetails": { + "Label": "2110 Greenwich St, San Francisco, CA 94123-3405, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Cow Hollow", + "PostalCode": "94123-3405", + "Street": "Greenwich St", + "StreetComponents": [ + { + "BaseName": "Greenwich", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2110" + }, + "geo": [-122.43486, 37.79934], + "geoBounds": [-122.436, 37.79844, -122.43372, 37.80024] + } + ], + "enrollment": "150", + "schoolCode": "997, 860", + "ytLinks": [ + "https://www.youtube.com/embed/XK06ZP1Tos4?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["XK06ZP1Tos4"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Tule Elk Park EES is a nurturing educational environment where play and community connections are integral to early childhood development, serving a diverse range of students from preschool to transitional kindergarten with personalized, inclusive learning experiences.", + "bullets": [ + "Utilizes a Reggio-inspired educational approach, allowing children's inquiries and interests to guide the curriculum.", + "Offers inclusive education with integrated special education programs for both preschool and transitional kindergarten.", + "Provides extensive arts enrichment opportunities with classes in art, music, and movement.", + "Supports families and students with a range of services, including access to a nurse, family support specialist, mental health consultant, and speech pathologist.", + "Features a comprehensive Out of School Time (OST) program for extended learning and enrichment." + ], + "programs": [ + { + "name": "Transitional Kindergarten (TK)", + "description": "Bridges the preschool learning environment with traditional kindergarten, led by credentialed teachers using a blend of preschool and kindergarten practices." + }, + { + "name": "Out of School Time (OST) Program", + "description": "Offers enrichment classes after school hours, with full day sessions available during Spring and Summer breaks, open to students from any elementary school." + }, + { + "name": "Special Education Programs", + "description": "Provides inclusion special education for preschool and specialized classes for transitional kindergarten, including mild/moderate and moderate/severe needs along with resource specialist services." + }, + { + "name": "Arts Enrichment", + "description": "Offers art, music, and movement classes for all PK and TK classrooms, supported by donations from the Family Council." + }, + { + "name": "Student Support Programs", + "description": "Includes access to a nurse, family support specialist, mental health consultant, and speech pathologist to support students' development and well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/tep.png", + "logoAltText": "Tule Elk Park Early Education School Logo", + "filePath": "tule-elk-park-early-education-school.png" + } + }, + { + "schoolStub": "ulloa-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/ulloa-elementary-school", + "schoolLabel": "Ulloa Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/Ulloa%20Main%20Entrance.jpg?itok=J0kwglXE", + "width": "320", + "height": "171", + "filePath": "public/school_img/ulloa-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "Outer Sunset", + "principal": "Mellisa Jew", + "locations": ["2650 42nd Avenue, San Francisco, California 94116"], + "phone": "415-759-2841", + "geolocations": [ + { + "addressString": "2650 42nd Ave, San Francisco, CA 94116-2714, United States", + "addressDetails": { + "Label": "2650 42nd Ave, San Francisco, CA 94116-2714, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Outer Sunset", + "PostalCode": "94116-2714", + "Street": "42nd Ave", + "StreetComponents": [ + { + "BaseName": "42nd", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2650" + }, + "geo": [-122.49969, 37.73738], + "geoBounds": [-122.50083, 37.73648, -122.49855, 37.73828] + } + ], + "enrollment": "537", + "schoolCode": "862", + "ytLinks": [ + "https://www.youtube.com/embed/uK3JmvGBBmI?autoplay=0&start=0&rel=0", + "https://www.youtube.com/embed/UiIoymHMmLw?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["uK3JmvGBBmI", "UiIoymHMmLw"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Ulloa Elementary School, home of the Sharks, fosters a vibrant community where students are not only academically enriched but also nurtured in their cognitive, physical, social, and emotional development to become successful global citizens.", + "bullets": [ + "Safe and supportive community focused on individual growth and global citizenship.", + "Innovative classroom environments that promote critical thinking and growth mindsets.", + "Diverse extracurricular activities, leadership opportunities, and student clubs to enhance personal development.", + "Commitment to Diversity, Equity, and Inclusion, celebrating unique identities and building a deep sense of belonging.", + "Comprehensive before and after school programs catering to a wide range of student needs." + ], + "programs": [ + { + "name": "Before School Program", + "description": "Provided by Ulloa Children's Center, offering care from 7:00am to 9:30am for students in Kindergarten to 5th Grade." + }, + { + "name": "After School Learning Program (ASLP)", + "description": "Run by the non-profit Sunset Neighborhood Beacon Center for students in grades 2-5, with limited spaces and specific attendance requirements." + }, + { + "name": "Ulloa Childcare After School Program", + "description": "Offered until 6:30pm daily, providing extended care and enrichment for students." + }, + { + "name": "Cantonese Biliteracy Program", + "description": "A language program aimed at promoting bilingualism in Cantonese and English." + }, + { + "name": "Resource Specialist Program Services", + "description": "Special education services tailored to meet individual student needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Various programs aimed at enhancing the academic experience of students during school hours." + }, + { + "name": "Outdoor Education Program", + "description": "Activities designed to provide experiential learning outside of the traditional classroom setting." + }, + { + "name": "Arts Enrichment", + "description": "Including Theater for K-1, Taiko Drumming for 2nd-5th, Instrumental Music for 4th-5th, and LEAP Arts in Education for all grades K-5 throughout the year." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202023-06-05%20at%202.00.27%20PM.png", + "logoAltText": "Ulloa Elementary School Logo", + "filePath": "ulloa-elementary-school.png" + } + }, + { + "schoolStub": "visitacion-valley-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/visitacion-valley-elementary-school", + "schoolLabel": "Visitacion Valley Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/vis_valley_0.jpg?itok=YzyEPMND", + "width": "320", + "height": "189", + "filePath": "public/school_img/visitacion-valley-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "Visitacion Valley", + "principal": "Cephus Johnson", + "locations": ["55 Schwerin Street, San Francisco, California 94134"], + "phone": "415-469-4796", + "geolocations": [ + { + "addressString": "55 Schwerin St, San Francisco, CA 94134-2742, United States", + "addressDetails": { + "Label": "55 Schwerin St, San Francisco, CA 94134-2742, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Visitacion Valley", + "PostalCode": "94134-2742", + "Street": "Schwerin St", + "StreetComponents": [ + { + "BaseName": "Schwerin", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "55" + }, + "geo": [-122.41028, 37.71268], + "geoBounds": [-122.41142, 37.71178, -122.40914, 37.71358] + } + ], + "enrollment": "250", + "schoolCode": "867", + "ytLinks": [ + "https://www.youtube.com/embed/rLZfjWVpv1U?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["rLZfjWVpv1U"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Visitacion Valley Elementary School fosters a culturally diverse community dedicated to service and partnership with families, providing an optimal and inclusive education to ensure students' lifelong success.", + "bullets": [ + "Title I School with a commitment to serving a diverse student body.", + "Comprehensive literacy and math programs integrated into core curricula.", + "Strong emphasis on English Language Development with daily designated blocks.", + "Rich extended learning opportunities in creative and performing arts.", + "Focus on technology-based learning and 21st-century skills development." + ], + "programs": [ + { + "name": "ExCEL After School Program", + "description": "In partnership with Real Options for City Kids (R.O.C.K.), this program offers academic support, enrichment, sports activities, RTI and RP practices for students in grades K-5 at no cost for qualifying students." + }, + { + "name": "Language Programs", + "description": "Includes a Cantonese Biliteracy Program to support students in language acquisition and literacy." + }, + { + "name": "Special Education Programs", + "description": "Provides services through Learning Centers for students who spend 50%+ of the day in general education, related services such as Speech Only, and Resource Specialist Program Services." + }, + { + "name": "Arts Enrichment", + "description": "Features programs in music, dance, visual arts, and theatre with initiatives like Artists in Residence and the SF Ballet program." + }, + { + "name": "Outdoor Education", + "description": "A science-based program empowering students to connect with nature through school garden investigations." + }, + { + "name": "Student Support Programs", + "description": "Includes access to health and wellness services with a nurse, social worker, liaison, speech pathologist, and student adviser to support holistic development." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/03_VVES-logo-transparent.png", + "logoAltText": "Visitacion Valley Elementary School Logo", + "filePath": "visitacion-valley-elementary-school.png" + } + }, + { + "schoolStub": "visitacion-valley-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/visitacion-valley-middle-school", + "schoolLabel": "Visitacion Valley Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/sign%20student%20circle.JPG?itok=lAsScCyQ", + "width": "320", + "height": "326", + "filePath": "public/school_img/visitacion-valley-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Visitacion Valley", + "principal": "Maya Baker", + "locations": ["1971 Visitacion Avenue, San Francisco, California 94134"], + "phone": "415-469-4590", + "geolocations": [ + { + "addressString": "1971 Visitacion Ave, San Francisco, CA 94134-2700, United States", + "addressDetails": { + "Label": "1971 Visitacion Ave, San Francisco, CA 94134-2700, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Visitacion Valley", + "PostalCode": "94134-2700", + "Street": "Visitacion Ave", + "StreetComponents": [ + { + "BaseName": "Visitacion", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "1971", + "Building": "Visitacion Valley Middle School" + }, + "geo": [-122.41305, 37.7159], + "geoBounds": [-122.41419, 37.715, -122.41191, 37.7168] + } + ], + "enrollment": "450", + "schoolCode": "868", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Visitacion Valley Middle School, nestled in the heart of a culturally rich and diverse San Francisco neighborhood, is dedicated to fostering a thriving community focused on love, literacy, and liberation for all students.", + "bullets": [ + "Home to the innovative Quiet Time program involving Transcendental Meditation, enhancing mental wellness and focus.", + "VVMS boasts a unique golfing facility and program, developed in partnership with the First Tee Foundation.", + "The school offers enhanced learning environments with block scheduling and Project-Based Learning to deepen student engagement.", + "Comprehensive arts and technology programs including modern band, visual arts, and computer science.", + "Strong emphasis on culturally responsive teaching and restorative practices to promote inclusivity and belonging." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Real Options for City Kids (R.O.C.K.) available for free from Monday to Friday, offering activities to engage students before school hours." + }, + { + "name": "After School Programs", + "description": "R.O.C.K. sessions conducted after school hours for free on weekdays, offering enriching experiences including field trips and summer activities." + }, + { + "name": "Newcomer Program", + "description": "Language program accommodating students of all languages to help integrate them into the school community." + }, + { + "name": "Academic Enrichment Programs", + "description": "Includes counseling, college tours, internships, leadership classes, outdoor education, and project-based learning to enhance academic experiences." + }, + { + "name": "Arts Enrichment", + "description": "Variety of programs including band, guitar, media arts, performing arts, theater, and visual arts to nurture students' artistic talents." + }, + { + "name": "Athletics Program", + "description": "Offers a range of sports such as baseball, basketball, flag football, soccer, softball, track and field, and volleyball to encourage physical fitness." + }, + { + "name": "Student Support Programs", + "description": "Includes after-school tutorials, college planning, health and wellness services, mentoring, and various counseling services to support student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-05-08%20at%209.22.13%20AM.png", + "logoAltText": "Visitacion Valley Middle School Logo", + "filePath": "visitacion-valley-middle-school.png" + } + }, + { + "schoolStub": "west-portal-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/west-portal-elementary-school", + "schoolLabel": "West Portal Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/West%20Portal%20site.jpg?itok=-I2J5T58", + "width": "320", + "height": "180", + "filePath": "public/school_img/west-portal-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["TK", "K", "1-5"], + "neighborhood": "West Portal", + "principal": "Henry Wong", + "locations": ["5 Lenox Way, San Francisco, California 94127"], + "phone": "415-759-2846", + "geolocations": [ + { + "addressString": "5 Lenox Way, San Francisco, CA 94127-1111, United States", + "addressDetails": { + "Label": "5 Lenox Way, San Francisco, CA 94127-1111, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "West Portal", + "PostalCode": "94127-1111", + "Street": "Lenox Way", + "StreetComponents": [ + { + "BaseName": "Lenox", + "Type": "Way", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "5" + }, + "geo": [-122.46464, 37.74338], + "geoBounds": [-122.46578, 37.74248, -122.4635, 37.74428] + } + ], + "enrollment": "600", + "schoolCode": "876", + "ytLinks": [ + "https://www.youtube.com/embed/Y-1eY2_gDPw?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["Y-1eY2_gDPw"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "West Portal School is a thriving TK through 5th grade educational institution in San Francisco, fostering student achievement and success through inclusive, equity-focused practices and a joyful, student-centered approach.", + "bullets": [ + "Small class sizes through third grade ensure personalized attention and support.", + "A rich array of enrichment activities, including gardening, music, sports, and field trips, inspire joyful learning.", + "Strong emphasis on developing 21st Century skills such as critical thinking, problem-solving, and social skills.", + "Dedicated to inclusivity and growth mindset, ensuring students are supported both academically and socially.", + "Comprehensive after-school programs and specialized language and special education programs enhance student development." + ], + "programs": [ + { + "name": "After School Programs", + "description": "A diverse range of programs running until 6 PM including YMCA enrichment, Parks and Recreation activities, and a Mandarin Language Program." + }, + { + "name": "Cantonese Dual Language Immersion", + "description": "Established in 1984, this program immerses students in Cantonese language instruction, enhancing linguistic and cultural proficiency." + }, + { + "name": "Resource Specialist Program", + "description": "Designed to provide specialized support to students with unique learning needs through customized educational strategies." + }, + { + "name": "STEAM and Arts Enrichment", + "description": "Hands-on STEAM activities and a music program for K-5, including an instrumental music program for grades 4-5, fostering creativity and technical skills." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support including mentoring, access to a social worker, student advisor, and therapist to bolster student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/WP%20Logo.jpg", + "logoAltText": "West Portal Elementary School Logo", + "filePath": "west-portal-elementary-school.jpg" + } + }, + { + "schoolStub": "willie-l-brown-jr-middle-school", + "schoolUrl": "https://www.sfusd.edu/school/willie-l-brown-jr-middle-school", + "schoolLabel": "Willie L. Brown Jr. Middle School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/willie%20brown.JPG?itok=r1C4BK4c", + "width": "320", + "height": "205", + "filePath": "public/school_img/willie-l-brown-jr-middle-school.jpg" + }, + "gradesLabel": "Middle School", + "gradeCodes": ["6-8"], + "neighborhood": "Bayview", + "principal": "Malea Mouton-Fuentes", + "locations": ["2055 Silver Avenue, San Francisco, California 94124"], + "phone": "415-642-8901", + "geolocations": [ + { + "addressString": "2055 Silver Ave, San Francisco, CA 94124-2032, United States", + "addressDetails": { + "Label": "2055 Silver Ave, San Francisco, CA 94124-2032, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Silver Terrace", + "PostalCode": "94124-2032", + "Street": "Silver Ave", + "StreetComponents": [ + { + "BaseName": "Silver", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2055" + }, + "geo": [-122.39892, 37.73643], + "geoBounds": [-122.40006, 37.73553, -122.39778, 37.73733] + } + ], + "enrollment": "285", + "schoolCode": "858", + "ytLinks": [ + "https://www.youtube.com/embed/g-WwaDQ3iss?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["g-WwaDQ3iss"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Willie L. Brown Jr. Middle School offers a cutting-edge STEM curriculum, fostering students' STEM skills and social justice advocacy, within a state-of-the-art campus featuring advanced resources and unique learning environments.", + "bullets": [ + "Project-based STEM education to prepare students for STEM degrees and careers.", + "State-of-the-art facilities including San Francisco's sole middle school science laboratory.", + "Priority high school admission for students attending all three years.", + "Comprehensive athletic programs including soccer, basketball, and more.", + "Extensive after school and arts enrichment programs available to all students." + ], + "programs": [ + { + "name": "Explore! Afterschool Extended Learning Program", + "description": "A free afterschool program available Monday to Friday offering enrichment activities such as Engineering, Cooking, and Science Club." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Program Services and individualized support for students with special needs." + }, + { + "name": "School Day Academic Enrichment", + "description": "Provides 1:1 student Chromebooks and integrates digital arts into the curriculum, alongside offerings in coding and ethnic studies." + }, + { + "name": "Arts Enrichment", + "description": "Offers electives and courses in band, orchestra, visual arts, and media arts, supported by dedicated performance and rehearsal spaces." + }, + { + "name": "Athletics", + "description": "Features teams in baseball, basketball, soccer, volleyball, and track and field." + }, + { + "name": "Student Support Programs", + "description": "Includes advisory services, counseling, health and wellness center, mentoring, and more to support student well-being and success." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/Screen%20Shot%202019-05-21%20at%202.15.17%20PM.png", + "logoAltText": "Willie L. Brown Jr. Middle School Logo", + "filePath": "willie-l-brown-jr-middle-school.png" + } + }, + { + "schoolStub": "woodside-learning-center", + "schoolUrl": "https://www.sfusd.edu/school/woodside-learning-center", + "schoolLabel": "Woodside Learning Center", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["7-12"], + "neighborhood": "Twin Peaks/LaHonda", + "principal": "Sylvia Lepe Reyes", + "locations": [ + "375 Woodside Avenue, Suite 332, San Francisco, California 94127" + ], + "phone": "415-753-7792", + "geolocations": [ + { + "addressString": "375 Woodside Ave, San Francisco, CA 94127-1221, United States", + "addressDetails": { + "Label": "375 Woodside Ave, San Francisco, CA 94127-1221, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Midtown Terrace", + "PostalCode": "94127-1221", + "Street": "Woodside Ave", + "StreetComponents": [ + { + "BaseName": "Woodside", + "Type": "Ave", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "375" + }, + "geo": [-122.45251, 37.74588], + "geoBounds": [-122.45365, 37.74498, -122.45137, 37.74678] + } + ], + "schoolCode": "892", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Woodside Learning Center (WLC) is a dedicated educational institution serving incarcerated youth at the San Francisco Juvenile Justice Center, focusing on reengaging these students with their academic progress and personal development.", + "bullets": [ + "Expert staff specialize in differentiating instruction to cater to a wide range of learners, including those with IEPs and ELL needs.", + "Provides a safe and supportive learning environment amidst the challenges faced by students undergoing legal processes.", + "Offers various programs to aid student reintegration, including guest speakers, a culinary garden, and tutoring sessions.", + "Enables academic growth through project-based learning and media arts enrichment.", + "Supports students with comprehensive counseling and access to healthcare professionals." + ], + "programs": [ + { + "name": "Special Education Programs", + "description": "Offers a separate class for students with mild to moderate learning needs during the school day." + }, + { + "name": "Academic Enrichment", + "description": "Provides academic counseling, credit recovery options, and access to a library for enhanced learning." + }, + { + "name": "Arts Enrichment", + "description": "Engages students in creative expression through gardening and media arts." + }, + { + "name": "Student Support Programs", + "description": "Includes access to a nurse, counselors, and a family liaison to support student well-being." + }, + { + "name": "College and Career Counseling", + "description": "Guides students in exploring college options or career paths and organizes college and career fairs." + } + ] + } + }, + { + "schoolStub": "yick-wo-alternative-elementary-school", + "schoolUrl": "https://www.sfusd.edu/school/yick-wo-alternative-elementary-school", + "schoolLabel": "Yick Wo Alternative Elementary School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/LargePhoto%20Collage%204.jpg?itok=sWG9qpcH", + "width": "320", + "height": "231", + "filePath": "public/school_img/yick-wo-alternative-elementary-school.jpg" + }, + "gradesLabel": "Elementary School", + "gradeCodes": ["K", "1-5"], + "neighborhood": "North Beach", + "principal": "Alfred Sanchez", + "locations": ["2245 Jones Street, San Francisco, California 94133"], + "phone": "415-749-3540", + "geolocations": [ + { + "addressString": "2245 Jones St, San Francisco, CA 94133-2207, United States", + "addressDetails": { + "Label": "2245 Jones St, San Francisco, CA 94133-2207, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Russian Hill", + "PostalCode": "94133-2207", + "Street": "Jones St", + "StreetComponents": [ + { + "BaseName": "Jones", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2245" + }, + "geo": [-122.41636, 37.8019], + "geoBounds": [-122.4175, 37.801, -122.41522, 37.8028] + } + ], + "enrollment": "240", + "schoolCode": "801", + "ytLinks": [ + "https://www.youtube.com/embed/wGT75i8JJcg?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["wGT75i8JJcg"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Yick Wo Elementary School is dedicated to fostering lifelong learning through enriching academic, social, emotional, artistic, and physical development experiences for its 240 students.", + "bullets": [ + "High expectations and tailored teaching methods to address diverse learning styles.", + "An intimate campus setting fostering trust and supportive relationships.", + "Comprehensive enrichment programs in art, science, music, fitness, and sports.", + "Strong community partnerships and parental support through Yick Wo PTO.", + "Integrated field trips and real-world learning experiences." + ], + "programs": [ + { + "name": "Before School Programs", + "description": "Morning care onsite provided by Excel YMCA Chinatown Team, available from 8:00 am, offering a caring start to the day." + }, + { + "name": "After School Programs", + "description": "Onsite care by Chinatown YMCA and offsite options at Tel-Hi Neighborhood Center and Salesians Boys and Girls Club for extensive childcare solutions." + }, + { + "name": "After School Enrichment Classes", + "description": "Dynamic after school classes changing each semester, featuring activities like dance and tennis." + }, + { + "name": "Special Education Programs", + "description": "Includes Resource Specialist Services and a separate class with a focus on moderate/severe autism with specialized communication strategies." + }, + { + "name": "School Day Academic Enrichment", + "description": "Programs include STEAM courses, computer labs, and customized English literacy interventions to boost learning." + }, + { + "name": "Arts Enrichment", + "description": "A vast array of arts education including residencies, ceramics, dance, drumming, gardening, and visual arts." + }, + { + "name": "Student Support Programs", + "description": "Services include access to social workers and tailored support systems to nurture student well-being." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/yick%20wo.jpg", + "logoAltText": "Yick Wo Alternative Elementary School Logo", + "filePath": "yick-wo-alternative-elementary-school.jpg" + } + }, + { + "schoolStub": "youth-chance-high-school", + "schoolUrl": "https://www.sfusd.edu/school/youth-chance-high-school", + "schoolLabel": "Youth Chance High School", + "image": null, + "gradesLabel": "County School", + "gradeCodes": ["11-12"], + "neighborhood": "Financial District", + "principal": "Sylvia Lepe Reyes", + "locations": ["169 Steuart Street, San Francisco, California 94105"], + "phone": "415-530-8092", + "geolocations": [ + { + "addressString": "169 Steuart St, San Francisco, CA 94105-1206, United States", + "addressDetails": { + "Label": "169 Steuart St, San Francisco, CA 94105-1206, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Embarcadero", + "PostalCode": "94105-1206", + "Street": "Steuart St", + "StreetComponents": [ + { + "BaseName": "Steuart", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "169" + }, + "geo": [-122.39198, 37.79269], + "geoBounds": [-122.39312, 37.79179, -122.39084, 37.79359] + } + ], + "enrollment": "20", + "schoolCode": "458", + "ytLinks": [], + "ytCodes": [], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Youth Chance High School is a unique San Francisco Public School program that integrates real-world work experience with personalized education for students who are behind in credits and seeking a more engaging learning environment.", + "bullets": [ + "Hybrid learning model with in-person classes three days a week and virtual learning two days a week.", + "Personalized learning experience with project-based learning tailored to individual career goals.", + "Close support from two teachers for every 20 students, along with a School Social Worker and a Student Advocate.", + "Focus on real-world career readiness with job shadowing, interest inventories, and job readiness skills training.", + "Opportunities to earn a California ID, work permit, and workforce readiness certificates or industry credentials." + ], + "programs": [ + { + "name": "School Day Academic Enrichment", + "description": "Offers a comprehensive education with 1:1 student Chromebooks, academic counseling, and the option to take college classes at CCSF or SFSU, as well as participate in college tours and visits." + }, + { + "name": "Work Experience Education", + "description": "Provides real-world job experience through paid jobs or internships, enhancing students' professional contacts and career readiness." + }, + { + "name": "Arts Enrichment", + "description": "Engages students in creative pursuits with classes in art and ceramics, fostering artistic expression alongside traditional academics." + }, + { + "name": "Athletics", + "description": "Encourages physical health and teamwork through basketball and swimming programs." + }, + { + "name": "Student Support Programs", + "description": "Comprehensive support services including advisory, college planning, community relations, counseling, and access to a health and wellness center." + }, + { + "name": "College Counseling", + "description": "Facilitates college preparation through career counseling, college application workshops, and college tours to help students transition smoothly into higher education or their chosen career paths." + } + ] + }, + "logo": { + "logoUrl": "https://www.sfusd.edu/sites/default/files/school-logos/County%20Satellite%20Logo_0.jpeg", + "logoAltText": "Youth Chance High School Logo", + "filePath": "youth-chance-high-school.jpeg" + } + }, + { + "schoolStub": "zaida-t-rodriguez-early-education-school", + "schoolUrl": "https://www.sfusd.edu/school/zaida-t-rodriguez-early-education-school", + "schoolLabel": "Zaida T. Rodriguez Early Education School", + "image": { + "src": "https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/rodriguez_470.jpg?itok=ic0hIWty", + "width": "320", + "height": "141", + "filePath": "public/school_img/zaida-t-rodriguez-early-education-school.jpg" + }, + "gradesLabel": "Early Education", + "gradeCodes": ["PreK", "TK"], + "neighborhood": "Mission", + "principal": "Francine Demarco", + "locations": [ + "2950 Mission Street, San Francisco, California, 94110", + "421 Bartlett Avenue, San Francisco, California, 94110" + ], + "phone": "415-695-5844", + "geolocations": [ + { + "addressString": "2950 Mission St, San Francisco, CA 94110-3918, United States", + "addressDetails": { + "Label": "2950 Mission St, San Francisco, CA 94110-3918, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-3918", + "Street": "Mission St", + "StreetComponents": [ + { + "BaseName": "Mission", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "2950" + }, + "geo": [-122.41855, 37.74981], + "geoBounds": [-122.41969, 37.74891, -122.41741, 37.75071] + }, + { + "addressString": "421 Bartlett St, San Francisco, CA 94110-3807, United States", + "addressDetails": { + "Label": "421 Bartlett St, San Francisco, CA 94110-3807, United States", + "Country": { + "Code2": "US", + "Code3": "USA", + "Name": "United States" + }, + "Region": { + "Code": "CA", + "Name": "California" + }, + "SubRegion": { + "Name": "San Francisco" + }, + "Locality": "San Francisco", + "District": "Mission", + "PostalCode": "94110-3807", + "Street": "Bartlett St", + "StreetComponents": [ + { + "BaseName": "Bartlett", + "Type": "St", + "TypePlacement": "AfterBaseName", + "TypeSeparator": " ", + "Language": "en" + } + ], + "AddressNumber": "421" + }, + "geo": [-122.41917, 37.7501], + "geoBounds": [-122.42031, 37.7492, -122.41803, 37.751] + } + ], + "enrollment": "92", + "schoolCode": "965 PK", + "ytLinks": [ + "https://www.youtube.com/embed/QtuH28pjULI?autoplay=0&start=0&rel=0" + ], + "ytCodes": ["QtuH28pjULI"], + "generatedProfile": { + "model": "gpt-4o-2024-08-06", + "overview": "Zaida T. Rodriguez is an inclusive learning community fostering collaboration among children, staff, parents, and the wider community, with a focus on nurturing curiosity and holistic development through a play-based, Reggio Emilia inspired approach.", + "bullets": [ + "Strong collaboration involving children, staff, parents, and the community.", + "A supportive environment that encourages wonder, curiosity, and meaningful work.", + "Culturally inclusive with multilingual staff speaking Chinese, English, and Spanish.", + "Families play an integral role in the school's community and educational journey.", + "Emphasis on children's cognitive, emotional, social, and artistic growth." + ], + "programs": [ + { + "name": "PK Program", + "description": "A full-day, full-year play-based curriculum inspired by the Reggio Emilia approach, taught by California Permitted Teachers with support from qualified Paraeducators, offering care from 7:30am to 5:30pm." + }, + { + "name": "Transitional Kindergarten (TK)", + "description": "This program bridges preschool and traditional kindergarten, taught by credentialed teachers utilizing a mix of preschool and kindergarten practices to cater to each child's needs, with instructional hours from 8:00am to 2:00pm." + }, + { + "name": "After School Programs", + "description": "Currently, there is no Out-of-School-Time (OST) program for TK students, but starting in the 2023-24 school year, TK students will have access to OST programs. Contact Nancy Lambert-Campbell for further details." + } + ] + } + } +] diff --git a/data/scrapeSchoolDetails.ts b/data/scrapeSchoolDetails.ts new file mode 100644 index 0000000..6074394 --- /dev/null +++ b/data/scrapeSchoolDetails.ts @@ -0,0 +1,157 @@ +import { JSDOM } from "jsdom"; +import OpenAI from "openai"; + +import { readSchoolList, SchoolProfile, writeSchoolList } from "./shared"; + +const openai = new OpenAI({ + apiKey: process.env.OPENAI_API_KEY, +}); + +async function generateProfile(articleText: string) { + if (articleText.length < 1) return {}; + + const response = await openai.chat.completions.create({ + model: "gpt-4o", + messages: [ + { + role: "system", + content: [ + { + type: "text", + text: "You are a marketing expert helping the user construct a compelling description of a school based on text input extracted from a webpage. The overview should be a one or two sentence overview of the school. Create 3-5 bullet points of the most compelling aspects of the school. Extract the programs described in the text creating a name and description for each. Return the result as a JSON object based on the provided schema.", + }, + ], + }, + { + role: "user", + content: [{ type: "text", text: articleText }], + }, + ], + temperature: 1, + max_tokens: 2048, + top_p: 1, + frequency_penalty: 0, + presence_penalty: 0, + response_format: { + type: "json_schema", + json_schema: { + name: "schema_overview", + strict: true, + schema: { + type: "object", + properties: { + overview: { + type: "string", + description: + "A compelling overview of the school expressed in one or two sentences.", + }, + bullets: { + type: "array", + description: + "A list of the most compelling aspects of the school summarized in bullet points.", + items: { + type: "string", + }, + }, + programs: { + type: "array", + description: "A list of available programs.", + items: { + type: "object", + properties: { + name: { + type: "string", + description: "The name of the program.", + }, + description: { + type: "string", + description: "A detailed description of the program.", + }, + }, + required: ["name", "description"], + additionalProperties: false, + }, + }, + }, + required: ["overview", "bullets", "programs"], + additionalProperties: false, + }, + }, + }, + }); + + const profile = { + model: response.model, + ...JSON.parse(response.choices[0].message.content || ""), + }; + + return profile; +} + +async function extractDetails(url: string): Promise { + const response = await fetch(url); + const html = await response.text(); + + const dom = new JSDOM(html); + const document = dom.window.document; + const items = document.querySelectorAll("li.field-item"); + + let enrollment: string | undefined = undefined; + let schoolCode: string | undefined = undefined; + + items.forEach((item) => { + const name = item.querySelector(".field-item_name")?.textContent?.trim(); + const value = item.querySelector(".field-item_value")?.textContent?.trim(); + + if (name?.toLowerCase().includes("enrollment")) + enrollment = value || undefined; + if (name?.toLowerCase().includes("school code")) + schoolCode = value || undefined; + }); + + // process text + const articleText = + document + .querySelector("div.section-school-tabs_content") + ?.textContent?.trim() + .replace(/\s+/g, " ") || ""; + + const ytLinks = Array.from(document.querySelectorAll("iframe")) + .map((frame) => frame?.getAttribute("src") || "") + .filter((url) => url?.includes("youtube")); + + const ytCodes = ytLinks + .map((link) => { + const [base] = link?.split("?"); + return base.split("/").at(-1) || ""; + }) + .filter((code) => code.length !== 0); + + const generatedProfile = await generateProfile(articleText); + + return { enrollment, schoolCode, ytLinks, ytCodes, generatedProfile }; +} + +// extractDetails("https://www.sfusd.edu/school/ap-giannini-middle-school") +// .then(() => { +// console.log("done."); +// }) +// .catch(console.error); + +async function main() { + const schoolList = readSchoolList(); + for (const school of schoolList) { + console.log( + `extracting details and generating profile for ${school.schoolUrl}`, + ); + const details = await extractDetails(school.schoolUrl); + Object.assign(school, details); + } + writeSchoolList(schoolList); +} + +main() + .then(() => { + console.log("done."); + }) + .catch(console.error); diff --git a/data/scrapeSchoolPage.ts b/data/scrapeSchoolPage.ts new file mode 100644 index 0000000..43e3228 --- /dev/null +++ b/data/scrapeSchoolPage.ts @@ -0,0 +1,180 @@ +import { JSDOM } from "jsdom"; +import { assert } from "console"; +import * as fs from "fs"; +import OpenAI from "openai"; + +import { schoolListFilePath, schoolStubFromUrlStub } from "./shared"; + +// Initialize OpenAI client +const openai = new OpenAI({ + apiKey: process.env.OPENAI_API_KEY, +}); + +// extract street addresses from text using OpenAI GPT-3 +async function extractStreetAddresses(userText: string): Promise { + try { + const response = await openai.chat.completions.create({ + model: "gpt-3.5-turbo", + messages: [ + { + role: "system", + content: + "Extract street addresses from the user text, expanding abbreviations (e.g., st., ave. to street, avenue). List the extracted addresses one per line.", + }, + { + role: "user", + content: userText, + }, + ], + temperature: 0, // Set to 0 for deterministic output + max_tokens: 250, // Adjust token limit based on expected response length + }); + + // Extract the addresses from the API response + const completion = response.choices[0].message?.content; + if (completion) { + // Split the response by lines and trim whitespace to get clean addresses + const addresses = completion + .split("\n") + .map((address) => address.trim()) + .filter((address) => address.length > 0); + return addresses; + } else { + return []; + } + } catch (error) { + console.error("Error extracting addresses:", error); + return []; + } +} + +// generate URL to the school directory page from page number +function UrlFromPageNumber(index: number): string { + assert(index < 13); + if (index === 0) return `https://www.sfusd.edu/schools/directory`; + else return `https://www.sfusd.edu/schools/directory?page=${index}`; +} + +async function processSchoolSlat(slat: Element) { + // extract school image if available + let image = null; + const img = slat.querySelector("img"); + if (img) { + const imageStub = img.getAttribute("src") || undefined; + image = { + src: imageStub ? `https://www.sfusd.edu${imageStub}` : null, + width: img.getAttribute("width") || "", + height: img.getAttribute("height") || "", + }; + } + + // extract title and primary URL + let schoolUrlStub = null; + let schoolLabel = null; + const title = slat.querySelector(".school-slat_title>a"); + if (title) { + schoolUrlStub = title.getAttribute("href") || ""; + schoolLabel = title.textContent?.trim() || ""; + } + + // extract subtitle + const [gradesLabel, gradesCodeString] = ( + slat.querySelector(".school-slat_subtitle")?.textContent?.trim() || "" + ).split(/[\(\)]/, 2); + + // extract school "details" + let neighborhood = null; + let principal = null; + let address = null; + let phone = null; + + const schoolDetails = Array.from( + slat.querySelectorAll("ul.school-slat_details>li"), + ); + + schoolDetails.forEach((schoolDetail) => { + const label = + schoolDetail + .querySelector("span.slat-footer_label") + ?.textContent?.trim() + .toLowerCase() || null; + if (label) { + const value = + schoolDetail + .querySelector("span.slat-footer_value") + ?.textContent?.trim() || null; + + if (label.startsWith("neighborhood")) neighborhood = value; + if (label.startsWith("principal")) principal = value; + if (label.startsWith("address")) address = value; + if (label.startsWith("phone")) phone = value; + } + }); + + // extract addresses from address string + const locations = address ? await extractStreetAddresses(address) : []; + + // calculate schoolStub + const schoolStub = schoolUrlStub + ? schoolStubFromUrlStub(schoolUrlStub) + : null; + + return { + schoolStub, + schoolUrl: `https://www.sfusd.edu${schoolUrlStub}`, + schoolLabel, + image, + gradesLabel: gradesLabel.trim(), + gradeCodes: gradesCodeString?.split(",").map((code) => code.trim()), + neighborhood, + principal, + locations, + phone, + }; +} + +async function processPage(index: number) { + const url = UrlFromPageNumber(index); + + const response = await fetch(url); + const html = await response.text(); + + const dom = new JSDOM(html); + const document = dom.window.document; + + const schoolSlats = Array.from(document.querySelectorAll("div.school-slat")); + const schoolResults = schoolSlats.map(async (school) => { + const result = await processSchoolSlat(school); + return result; + }); + + return Promise.all(schoolResults); +} + +async function processPages() { + const results = []; + for (let index = 0; index < 13; index++) { + // throttle the fetches to avoid DOS + if (index !== 0) await new Promise((resolve) => setTimeout(resolve, 5000)); + console.log( + `processing page ${index + 1} of ${13}: https://www.sfusd.edu/schools/directory${index === 0 ? "" : `?page=${index}`}`, + ); + const result = await processPage(index); + results.push(...result); + } + return results; +} + +processPages() + .then((results) => { + if (results) { + console.log(`writing results to ${schoolListFilePath}`); + fs.writeFileSync(schoolListFilePath, JSON.stringify(results, null, 2), { + encoding: "utf-8", + }); + console.log("done."); + } + }) + .catch((err) => { + console.error("something went wrong!", err); + }); diff --git a/data/shared.ts b/data/shared.ts new file mode 100644 index 0000000..46523b4 --- /dev/null +++ b/data/shared.ts @@ -0,0 +1,111 @@ +import * as https from "https"; +import * as fs from "fs"; + +export const defaultSleepDelay = 3000; // mercy mode - 3 second delay between fetches +export async function sleep(sleepDelay = defaultSleepDelay, salty = false) { + const salt = salty + ? sleepDelay + (sleepDelay / 10) * Math.random() - sleepDelay / 20 + : 0; + return new Promise((resolve) => setTimeout(resolve, sleepDelay + salt)); +} + +export const schoolListFilePath = "./data/schoolList.json"; + +export type SchoolProfile = { + enrollment?: string; + schoolCode?: string; + ytLinks?: string[]; + ytCodes?: string[]; + generatedProfile?: { + model: string; + overview: string; + bullets: string[]; + programs: { + name: string; + description: string; + }; + }; +}; +export type SchoolLogo = { + logoUrl: string; + logoAltText: string; + filePath: string; +}; +export type SchoolRecord = { + schoolStub: string; + schoolUrl: string; + schoolLabel: string; + image?: { + src: string; + filePath?: string; + width: string; + height: string; + }; + logo?: SchoolLogo; + gradesLabel: string; + gradeCodes: string[]; + neighborhood: string; + principal: string; + locations: string[]; + phone: string; + lat?: number; + long?: number; + geolocations?: any; +} & SchoolProfile; + +export function downloadImage(url: string, filePath: string): Promise { + return new Promise((resolve, reject) => { + https + .get(url, (response) => { + if (response.statusCode !== 200) { + reject(new Error(`Failed to get '${url}' (${response.statusCode})`)); + return; + } + + const fileStream = fs.createWriteStream(filePath); + response.pipe(fileStream); + + fileStream.on("finish", () => { + fileStream.close(); + // console.log(`Image downloaded and saved to ${filePath}`); + resolve(); + }); + + fileStream.on("error", (err) => { + fs.unlink(filePath, () => reject(err)); // Delete the file on error + }); + }) + .on("error", (err) => { + reject(err); + }); + }); +} + +export function extractExtensionFromUrl(url: string): string { + // example: https://www.sfusd.edu/sites/default/files/styles/image_quarter/public/ORCHESTRA%201.jpg?itok=pWm52hvh + // returns: "jpg" + const [base] = url.split("?"); + const parts = base.split("."); + return parts.length > 1 ? parts.at(-1)?.toLowerCase() || "" : ""; +} + +export function readSchoolList(): SchoolRecord[] { + const buffer = fs.readFileSync(schoolListFilePath, { encoding: "utf-8" }); + const schoolList = JSON.parse(buffer); + return schoolList; +} + +export function writeSchoolList(schoolList: SchoolRecord[]) { + fs.writeFileSync(schoolListFilePath, JSON.stringify(schoolList, null, 2), { + encoding: "utf-8", + }); +} + +// create a school stub from a URL stub +// ex. /schools/abraham-lincoln-high-school => abraham-lincoln-high-school +export function schoolStubFromUrlStub(urlStub: string): string | undefined { + if (urlStub) { + const parts = urlStub.split("/"); + return parts[parts.length - 1].trim(); + } else return undefined; +} diff --git a/docker/README.md b/docker/README.md index 5ef0e76..f761c36 100644 --- a/docker/README.md +++ b/docker/README.md @@ -18,6 +18,8 @@ docker-compose -f docker/docker-compose.yml up -d This command will start a PostgreSQL database in a Docker container. The database will be available at `localhost:5432` with the username `postgres` and password `supersecret`. +> PRO-Tip: Adding `COMPOSE_FILE=docker/docker-compose.yml` to your `.env` file will allow you to run `docker-compose up -d` without specifying the file path each time. + ### Environment Variables Create (or update) a `.env` file in the root of project to instruct `prisma` where to find the database, using the following environment variables: @@ -26,6 +28,8 @@ Create (or update) a `.env` file in the root of project to instruct `prisma` whe # Database POSTGRES_PRISMA_URL="postgresql://postgres:supersecret@localhost:5432/mydb" POSTGRES_URL_NON_POOLING="postgresql://postgres:supersecret@localhost:5432/mydb" +DB_PASSWORD=supersecret +DB_NAME=mydb ``` ### Create the Database diff --git a/docker/docker-compose.yml b/docker/docker-compose.yml index c1bfe18..715bcfd 100644 --- a/docker/docker-compose.yml +++ b/docker/docker-compose.yml @@ -7,8 +7,9 @@ services: ports: - 5432:5432 environment: - POSTGRES_PASSWORD: supersecret - POSTGRES_DB: mydb + # defaults should be overridden in .env file + POSTGRES_PASSWORD: ${DB_PASSWORD:-supersecret} + POSTGRES_DB: ${DB_NAME:-mydb} volumes: - sfusd-data:/var/lib/postgresql/data diff --git a/package-lock.json b/package-lock.json index 9609491..2fb0b12 100644 --- a/package-lock.json +++ b/package-lock.json @@ -23,6 +23,7 @@ }, "devDependencies": { "@svgr/webpack": "^8.1.0", + "@types/jsdom": "^21.1.7", "@types/next": "^9.0.0", "@types/node": "20.5.9", "@types/react": "18.2.21", @@ -34,11 +35,15 @@ "eslint-config-next": "13.4.19", "eslint-config-prettier": "^9.1.0", "file-loader": "^6.2.0", + "googleapis": "^144.0.0", + "jsdom": "^25.0.1", + "openai": "^4.71.1", "postcss": "8.4.29", "prettier": "^3.2.5", "prettier-plugin-tailwindcss": "^0.5.11", "prisma": "^5.13.0", "tailwindcss": "3.3.3", + "tsx": "^4.19.2", "typescript": "5.2.2" } }, @@ -2145,6 +2150,414 @@ "node": ">=14.0.0" } }, + "node_modules/@esbuild/aix-ppc64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/aix-ppc64/-/aix-ppc64-0.23.1.tgz", + "integrity": "sha512-6VhYk1diRqrhBAqpJEdjASR/+WVRtfjpqKuNw11cLiaWpAT/Uu+nokB+UJnevzy/P9C/ty6AOe0dwueMrGh/iQ==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "aix" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-arm": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm/-/android-arm-0.23.1.tgz", + "integrity": "sha512-uz6/tEy2IFm9RYOyvKl88zdzZfwEfKZmnX9Cj1BHjeSGNuGLuMD1kR8y5bteYmwqKm1tj8m4cb/aKEorr6fHWQ==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm64/-/android-arm64-0.23.1.tgz", + "integrity": "sha512-xw50ipykXcLstLeWH7WRdQuysJqejuAGPd30vd1i5zSyKK3WE+ijzHmLKxdiCMtH1pHz78rOg0BKSYOSB/2Khw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/android-x64/-/android-x64-0.23.1.tgz", + "integrity": "sha512-nlN9B69St9BwUoB+jkyU090bru8L0NA3yFvAd7k8dNsVH8bi9a8cUAUSEcEEgTp2z3dbEDGJGfP6VUnkQnlReg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/darwin-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-arm64/-/darwin-arm64-0.23.1.tgz", + "integrity": "sha512-YsS2e3Wtgnw7Wq53XXBLcV6JhRsEq8hkfg91ESVadIrzr9wO6jJDMZnCQbHm1Guc5t/CdDiFSSfWP58FNuvT3Q==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/darwin-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-x64/-/darwin-x64-0.23.1.tgz", + "integrity": "sha512-aClqdgTDVPSEGgoCS8QDG37Gu8yc9lTHNAQlsztQ6ENetKEO//b8y31MMu2ZaPbn4kVsIABzVLXYLhCGekGDqw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/freebsd-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-arm64/-/freebsd-arm64-0.23.1.tgz", + "integrity": "sha512-h1k6yS8/pN/NHlMl5+v4XPfikhJulk4G+tKGFIOwURBSFzE8bixw1ebjluLOjfwtLqY0kewfjLSrO6tN2MgIhA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/freebsd-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-x64/-/freebsd-x64-0.23.1.tgz", + "integrity": "sha512-lK1eJeyk1ZX8UklqFd/3A60UuZ/6UVfGT2LuGo3Wp4/z7eRTRYY+0xOu2kpClP+vMTi9wKOfXi2vjUpO1Ro76g==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-arm": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm/-/linux-arm-0.23.1.tgz", + "integrity": "sha512-CXXkzgn+dXAPs3WBwE+Kvnrf4WECwBdfjfeYHpMeVxWE0EceB6vhWGShs6wi0IYEqMSIzdOF1XjQ/Mkm5d7ZdQ==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm64/-/linux-arm64-0.23.1.tgz", + "integrity": "sha512-/93bf2yxencYDnItMYV/v116zff6UyTjo4EtEQjUBeGiVpMmffDNUyD9UN2zV+V3LRV3/on4xdZ26NKzn6754g==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-ia32": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ia32/-/linux-ia32-0.23.1.tgz", + "integrity": "sha512-VTN4EuOHwXEkXzX5nTvVY4s7E/Krz7COC8xkftbbKRYAl96vPiUssGkeMELQMOnLOJ8k3BY1+ZY52tttZnHcXQ==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-loong64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-loong64/-/linux-loong64-0.23.1.tgz", + "integrity": "sha512-Vx09LzEoBa5zDnieH8LSMRToj7ir/Jeq0Gu6qJ/1GcBq9GkfoEAoXvLiW1U9J1qE/Y/Oyaq33w5p2ZWrNNHNEw==", + "cpu": [ + "loong64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-mips64el": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-mips64el/-/linux-mips64el-0.23.1.tgz", + "integrity": "sha512-nrFzzMQ7W4WRLNUOU5dlWAqa6yVeI0P78WKGUo7lg2HShq/yx+UYkeNSE0SSfSure0SqgnsxPvmAUu/vu0E+3Q==", + "cpu": [ + "mips64el" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-ppc64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ppc64/-/linux-ppc64-0.23.1.tgz", + "integrity": "sha512-dKN8fgVqd0vUIjxuJI6P/9SSSe/mB9rvA98CSH2sJnlZ/OCZWO1DJvxj8jvKTfYUdGfcq2dDxoKaC6bHuTlgcw==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-riscv64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-riscv64/-/linux-riscv64-0.23.1.tgz", + "integrity": "sha512-5AV4Pzp80fhHL83JM6LoA6pTQVWgB1HovMBsLQ9OZWLDqVY8MVobBXNSmAJi//Csh6tcY7e7Lny2Hg1tElMjIA==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-s390x": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-s390x/-/linux-s390x-0.23.1.tgz", + "integrity": "sha512-9ygs73tuFCe6f6m/Tb+9LtYxWR4c9yg7zjt2cYkjDbDpV/xVn+68cQxMXCjUpYwEkze2RcU/rMnfIXNRFmSoDw==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/linux-x64/-/linux-x64-0.23.1.tgz", + "integrity": "sha512-EV6+ovTsEXCPAp58g2dD68LxoP/wK5pRvgy0J/HxPGB009omFPv3Yet0HiaqvrIrgPTBuC6wCH1LTOY91EO5hQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/netbsd-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/netbsd-x64/-/netbsd-x64-0.23.1.tgz", + "integrity": "sha512-aevEkCNu7KlPRpYLjwmdcuNz6bDFiE7Z8XC4CPqExjTvrHugh28QzUXVOZtiYghciKUacNktqxdpymplil1beA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/openbsd-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/openbsd-arm64/-/openbsd-arm64-0.23.1.tgz", + "integrity": "sha512-3x37szhLexNA4bXhLrCC/LImN/YtWis6WXr1VESlfVtVeoFJBRINPJ3f0a/6LV8zpikqoUg4hyXw0sFBt5Cr+Q==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/openbsd-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/openbsd-x64/-/openbsd-x64-0.23.1.tgz", + "integrity": "sha512-aY2gMmKmPhxfU+0EdnN+XNtGbjfQgwZj43k8G3fyrDM/UdZww6xrWxmDkuz2eCZchqVeABjV5BpildOrUbBTqA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/sunos-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/sunos-x64/-/sunos-x64-0.23.1.tgz", + "integrity": "sha512-RBRT2gqEl0IKQABT4XTj78tpk9v7ehp+mazn2HbUeZl1YMdaGAQqhapjGTCe7uw7y0frDi4gS0uHzhvpFuI1sA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "sunos" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-arm64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/win32-arm64/-/win32-arm64-0.23.1.tgz", + "integrity": "sha512-4O+gPR5rEBe2FpKOVyiJ7wNDPA8nGzDuJ6gN4okSA1gEOYZ67N8JPk58tkWtdtPeLz7lBnY6I5L3jdsr3S+A6A==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-ia32": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/win32-ia32/-/win32-ia32-0.23.1.tgz", + "integrity": "sha512-BcaL0Vn6QwCwre3Y717nVHZbAa4UBEigzFm6VdsVdT/MbZ38xoj1X9HPkZhbmaBGUD1W8vxAfffbDe8bA6AKnQ==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-x64": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/@esbuild/win32-x64/-/win32-x64-0.23.1.tgz", + "integrity": "sha512-BHpFFeslkWrXWyUPnbKm+xYYVYruCinGcftSBaa8zoF9hZO4BcSCFUvHVTtzpIY6YzUnYtuEhZ+C9iEXjxnasg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, "node_modules/@eslint-community/eslint-utils": { "version": "4.4.0", "resolved": "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz", @@ -3128,6 +3541,18 @@ "hoist-non-react-statics": "^3.3.0" } }, + "node_modules/@types/jsdom": { + "version": "21.1.7", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-21.1.7.tgz", + "integrity": "sha512-yOriVnggzrnQ3a9OKOCxaVuSug3w3/SbOj5i7VwXWZEyUNl3bLF9V3MfxGbZKuwqJOQyRfqXyROBB1CoZLFWzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "@types/tough-cookie": "*", + "parse5": "^7.0.0" + } + }, "node_modules/@types/json-schema": { "version": "7.0.15", "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz", @@ -3162,6 +3587,17 @@ "resolved": "https://registry.npmjs.org/@types/node/-/node-20.5.9.tgz", "integrity": "sha512-PcGNd//40kHAS3sTlzKB9C9XL4K0sTup8nbG5lC14kzEteTNuAFh9u5nA0o5TWnSG2r/JNPRXFVcHJIIeRlmqQ==" }, + "node_modules/@types/node-fetch": { + "version": "2.6.11", + "resolved": "https://registry.npmjs.org/@types/node-fetch/-/node-fetch-2.6.11.tgz", + "integrity": "sha512-24xFj9R5+rfQJLRyM56qh+wnVSYhyXC2tkoBndtY0U+vubqNsYXGjufB2nn8Q6gt0LrARwL6UBtMCSVCwl4B1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "form-data": "^4.0.0" + } + }, "node_modules/@types/pg": { "version": "8.6.6", "resolved": "https://registry.npmjs.org/@types/pg/-/pg-8.6.6.tgz", @@ -3213,6 +3649,13 @@ "integrity": "sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==", "devOptional": true }, + "node_modules/@types/tough-cookie": { + "version": "4.0.5", + "resolved": "https://registry.npmjs.org/@types/tough-cookie/-/tough-cookie-4.0.5.tgz", + "integrity": "sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==", + "dev": true, + "license": "MIT" + }, "node_modules/@types/use-sync-external-store": { "version": "0.0.3", "resolved": "https://registry.npmjs.org/@types/use-sync-external-store/-/use-sync-external-store-0.0.3.tgz", @@ -3859,6 +4302,19 @@ "resolved": "https://registry.npmjs.org/abbrev/-/abbrev-1.1.1.tgz", "integrity": "sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==" }, + "node_modules/abort-controller": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/abort-controller/-/abort-controller-3.0.0.tgz", + "integrity": "sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==", + "dev": true, + "license": "MIT", + "dependencies": { + "event-target-shim": "^5.0.0" + }, + "engines": { + "node": ">=6.5" + } + }, "node_modules/acorn": { "version": "8.10.0", "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.10.0.tgz", @@ -3925,6 +4381,19 @@ "node": ">= 6.0.0" } }, + "node_modules/agentkeepalive": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/agentkeepalive/-/agentkeepalive-4.5.0.tgz", + "integrity": "sha512-5GG/5IbQQpC9FpkRGsSvZI5QYeSCzlJHdpBQntCsuTOxhKD8lqKhrleg2Yi7yvMIf82Ycmmqln9U8V9qwEiJew==", + "dev": true, + "license": "MIT", + "dependencies": { + "humanize-ms": "^1.2.1" + }, + "engines": { + "node": ">= 8.0.0" + } + }, "node_modules/ajv": { "version": "6.12.6", "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", @@ -4183,6 +4652,13 @@ "has-symbols": "^1.0.3" } }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "dev": true, + "license": "MIT" + }, "node_modules/autoprefixer": { "version": "10.4.15", "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.15.tgz", @@ -4303,6 +4779,27 @@ "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==" }, + "node_modules/base64-js": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz", + "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, "node_modules/big.js": { "version": "5.2.2", "resolved": "https://registry.npmjs.org/big.js/-/big.js-5.2.2.tgz", @@ -4312,6 +4809,16 @@ "node": "*" } }, + "node_modules/bignumber.js": { + "version": "9.1.2", + "resolved": "https://registry.npmjs.org/bignumber.js/-/bignumber.js-9.1.2.tgz", + "integrity": "sha512-2/mKyZH9K85bzOEfhXDBFZTGd1CTs+5IHpeFQo9luiBG7hghdC851Pj2WAhb6E3R6b9tZj/XKhbg4fum+Kepug==", + "dev": true, + "license": "MIT", + "engines": { + "node": "*" + } + }, "node_modules/binary-extensions": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz", @@ -4394,6 +4901,13 @@ "node": "*" } }, + "node_modules/buffer-equal-constant-time": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", + "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==", + "dev": true, + "license": "BSD-3-Clause" + }, "node_modules/buffer-from": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", @@ -4433,13 +4947,20 @@ } }, "node_modules/call-bind": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", - "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.7.tgz", + "integrity": "sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==", "dev": true, + "license": "MIT", "dependencies": { - "function-bind": "^1.1.1", - "get-intrinsic": "^1.0.2" + "es-define-property": "^1.0.0", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.4", + "set-function-length": "^1.2.1" + }, + "engines": { + "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" @@ -4605,6 +5126,19 @@ "color-support": "bin.js" } }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, "node_modules/commander": { "version": "4.1.1", "resolved": "https://registry.npmjs.org/commander/-/commander-4.1.1.tgz", @@ -4794,6 +5328,19 @@ "integrity": "sha512-aylIc7Z9y4yzHYAJNuESG3hfhC+0Ibp/MAMiaOZgNv4pmEdFyfZhhhny4MNiAfWdBQ1RQ2mfDWmM1x8SvGyp8g==", "dev": true }, + "node_modules/cssstyle": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-4.1.0.tgz", + "integrity": "sha512-h66W1URKpBS5YMI/V8PyXvTMFT8SupJ1IzoIV8IeBC/ji8WVmrO8dGlTi+2dh6whmdk6BiKJLD/ZBkhWbcg6nA==", + "dev": true, + "license": "MIT", + "dependencies": { + "rrweb-cssom": "^0.7.1" + }, + "engines": { + "node": ">=18" + } + }, "node_modules/csstype": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.2.tgz", @@ -4806,6 +5353,57 @@ "integrity": "sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==", "dev": true }, + "node_modules/data-urls": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-5.0.0.tgz", + "integrity": "sha512-ZYP5VBHshaDAiVZxjbRVcFJpc+4xGgT0bK3vzy1HLN8jTO975HEbuYzZJcHoQEY5K1a0z8YayJkyVETa08eNTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-mimetype": "^4.0.0", + "whatwg-url": "^14.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/data-urls/node_modules/tr46": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-5.0.0.tgz", + "integrity": "sha512-tk2G5R2KRwBd+ZN0zaEXpmzdKyOYksXwywulIX95MBODjSzMIuQnQ3m8JxgbhnL1LeVo7lqQKsYa1O3Htl7K5g==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.3.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/data-urls/node_modules/webidl-conversions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz", + "integrity": "sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + } + }, + "node_modules/data-urls/node_modules/whatwg-url": { + "version": "14.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-14.0.0.tgz", + "integrity": "sha512-1lfMEm2IEr7RIV+f4lUNPOqfFL+pO+Xw3fJSqmjX9AbXcXcYOkCe1P6+9VBZB6n94af16NfZf+sSk0JCBZC9aw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "^5.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=18" + } + }, "node_modules/debug": { "version": "4.3.4", "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", @@ -4822,6 +5420,13 @@ } } }, + "node_modules/decimal.js": { + "version": "10.4.3", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.4.3.tgz", + "integrity": "sha512-VBBaLc1MgL5XpzgIP7ny5Z6Nx3UrRkIViUkPUdtl9aya5amy3De1gsUUSB1g3+3sExYNjCAsAznmukyxCb1GRA==", + "dev": true, + "license": "MIT" + }, "node_modules/deep-is": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", @@ -4837,6 +5442,24 @@ "node": ">=0.10.0" } }, + "node_modules/define-data-property": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.4.tgz", + "integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-define-property": "^1.0.0", + "es-errors": "^1.3.0", + "gopd": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, "node_modules/define-properties": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/define-properties/-/define-properties-1.2.0.tgz", @@ -4853,6 +5476,16 @@ "url": "https://github.com/sponsors/ljharb" } }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, "node_modules/delegates": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/delegates/-/delegates-1.0.0.tgz", @@ -4997,6 +5630,16 @@ "resolved": "https://registry.npmjs.org/earcut/-/earcut-2.2.4.tgz", "integrity": "sha512-/pjZsA1b4RPHbeWZQn66SWS8nZZWLQQ23oE3Eam7aroEFGEvwKAsJfZ9ytiEMycfzXWpca4FA9QIOehf7PocBQ==" }, + "node_modules/ecdsa-sig-formatter": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", + "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "safe-buffer": "^5.0.1" + } + }, "node_modules/edge-runtime": { "version": "2.5.9", "resolved": "https://registry.npmjs.org/edge-runtime/-/edge-runtime-2.5.9.tgz", @@ -5151,6 +5794,29 @@ "url": "https://github.com/sponsors/ljharb" } }, + "node_modules/es-define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.0.tgz", + "integrity": "sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "get-intrinsic": "^1.2.4" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, "node_modules/es-iterator-helpers": { "version": "1.0.14", "resolved": "https://registry.npmjs.org/es-iterator-helpers/-/es-iterator-helpers-1.0.14.tgz", @@ -5986,6 +6652,16 @@ "node": ">= 0.6" } }, + "node_modules/event-target-shim": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/event-target-shim/-/event-target-shim-5.0.1.tgz", + "integrity": "sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, "node_modules/events": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/events/-/events-3.3.0.tgz", @@ -6045,6 +6721,13 @@ "resolved": "https://registry.npmjs.org/exenv/-/exenv-1.2.2.tgz", "integrity": "sha512-Z+ktTxTwv9ILfgKCk32OX3n/doe+OcLTRtqK9pcL+JsP3J1/VW8Uvl4ZjLlKqeW4rzK4oesDOGMEMRIZqtP4Iw==" }, + "node_modules/extend": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/extend/-/extend-3.0.2.tgz", + "integrity": "sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==", + "dev": true, + "license": "MIT" + }, "node_modules/fast-deep-equal": { "version": "3.1.3", "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", @@ -6197,6 +6880,42 @@ "is-callable": "^1.1.3" } }, + "node_modules/form-data": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.1.tgz", + "integrity": "sha512-tzN8e4TX8+kkxGPK8D5u0FNmjPUjw3lwC9lSLxxoB/+GtsJG91CO8bSWy73APlgAZzZbXEYZJuxjkHH2w+Ezhw==", + "dev": true, + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/form-data-encoder": { + "version": "1.7.2", + "resolved": "https://registry.npmjs.org/form-data-encoder/-/form-data-encoder-1.7.2.tgz", + "integrity": "sha512-qfqtYan3rxrnCk1VYaA4H+Ms9xdpPqvLZa6xmMgFvhO32x7/3J/ExcTd6qpxM0vH2GdMI+poehyBZvqfMTto8A==", + "dev": true, + "license": "MIT" + }, + "node_modules/formdata-node": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/formdata-node/-/formdata-node-4.4.1.tgz", + "integrity": "sha512-0iirZp3uVDjVGt9p49aTaqjk84TrglENEDuqfdlZQ1roC9CWlPk6Avf8EEnZNcAqPonwkG35x4n3ww/1THYAeQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "node-domexception": "1.0.0", + "web-streams-polyfill": "4.0.0-beta.3" + }, + "engines": { + "node": ">= 12.20" + } + }, "node_modules/fraction.js": { "version": "4.3.6", "resolved": "https://registry.npmjs.org/fraction.js/-/fraction.js-4.3.6.tgz", @@ -6251,10 +6970,14 @@ } }, "node_modules/function-bind": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", - "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", - "dev": true + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } }, "node_modules/function.prototype.name": { "version": "1.1.6", @@ -6307,6 +7030,99 @@ "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==" }, + "node_modules/gaxios": { + "version": "6.7.1", + "resolved": "https://registry.npmjs.org/gaxios/-/gaxios-6.7.1.tgz", + "integrity": "sha512-LDODD4TMYx7XXdpwxAVRAIAuB0bzv0s+ywFonY46k126qzQHT9ygyoa9tncmOiQmmDrik65UYsEkv3lbfqQ3yQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "extend": "^3.0.2", + "https-proxy-agent": "^7.0.1", + "is-stream": "^2.0.0", + "node-fetch": "^2.6.9", + "uuid": "^9.0.1" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/gaxios/node_modules/agent-base": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-7.1.1.tgz", + "integrity": "sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^4.3.4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/gaxios/node_modules/https-proxy-agent": { + "version": "7.0.5", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-7.0.5.tgz", + "integrity": "sha512-1e4Wqeblerz+tMKPIq2EMGiiWW1dIjZOksyHWSUm1rmuvw/how9hBHZ38lAGj5ID4Ik6EdkOw7NmWPy6LAwalw==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "^7.0.2", + "debug": "4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/gaxios/node_modules/node-fetch": { + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz", + "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/gaxios/node_modules/uuid": { + "version": "9.0.1", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-9.0.1.tgz", + "integrity": "sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==", + "dev": true, + "funding": [ + "https://github.com/sponsors/broofa", + "https://github.com/sponsors/ctavan" + ], + "license": "MIT", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/gcp-metadata": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/gcp-metadata/-/gcp-metadata-6.1.0.tgz", + "integrity": "sha512-Jh/AIwwgaxan+7ZUUmRLCjtchyDiqh4KjBJ5tW3plBZb5iL/BPcso8A5DlzeD9qlw0duCamnNdpFjxwaT0KyKg==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "gaxios": "^6.0.0", + "json-bigint": "^1.0.0" + }, + "engines": { + "node": ">=14" + } + }, "node_modules/generic-pool": { "version": "3.4.2", "resolved": "https://registry.npmjs.org/generic-pool/-/generic-pool-3.4.2.tgz", @@ -6330,15 +7146,20 @@ "integrity": "sha512-EvGQQi/zPrDA6zr6BnJD/YhwAkBP8nnJ9emh3EnHQKVMfg/MRVtPbMYdgVy/IaEmn4UfagD2a6fafPDL5hbtwg==" }, "node_modules/get-intrinsic": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz", - "integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==", + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.4.tgz", + "integrity": "sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==", "dev": true, + "license": "MIT", "dependencies": { - "function-bind": "^1.1.1", - "has": "^1.0.3", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", "has-proto": "^1.0.1", - "has-symbols": "^1.0.3" + "has-symbols": "^1.0.3", + "hasown": "^2.0.0" + }, + "engines": { + "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" @@ -6372,10 +7193,11 @@ } }, "node_modules/get-tsconfig": { - "version": "4.7.0", - "resolved": "https://registry.npmjs.org/get-tsconfig/-/get-tsconfig-4.7.0.tgz", - "integrity": "sha512-pmjiZ7xtB8URYm74PlGJozDNyhvsVLUcpBa8DZBG3bWHwaHa9bPiRpiSfovw+fjhwONSCWKRyk+JQHEGZmMrzw==", + "version": "4.8.1", + "resolved": "https://registry.npmjs.org/get-tsconfig/-/get-tsconfig-4.8.1.tgz", + "integrity": "sha512-k9PN+cFBmaLWtVz29SkUoqU5O0slLuHJXt/2P+tMVFT+phsSGXGkp9t3rQIqdz0e+06EHNGs3oM6ZX1s2zHxRg==", "dev": true, + "license": "MIT", "dependencies": { "resolve-pkg-maps": "^1.0.0" }, @@ -6474,6 +7296,70 @@ "url": "https://github.com/sponsors/sindresorhus" } }, + "node_modules/google-auth-library": { + "version": "9.14.2", + "resolved": "https://registry.npmjs.org/google-auth-library/-/google-auth-library-9.14.2.tgz", + "integrity": "sha512-R+FRIfk1GBo3RdlRYWPdwk8nmtVUOn6+BkDomAC46KoU8kzXzE1HLmOasSCbWUByMMAGkknVF0G5kQ69Vj7dlA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "base64-js": "^1.3.0", + "ecdsa-sig-formatter": "^1.0.11", + "gaxios": "^6.1.1", + "gcp-metadata": "^6.1.0", + "gtoken": "^7.0.0", + "jws": "^4.0.0" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/googleapis": { + "version": "144.0.0", + "resolved": "https://registry.npmjs.org/googleapis/-/googleapis-144.0.0.tgz", + "integrity": "sha512-ELcWOXtJxjPX4vsKMh+7V+jZvgPwYMlEhQFiu2sa9Qmt5veX8nwXPksOWGGN6Zk4xCiLygUyaz7xGtcMO+Onxw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "google-auth-library": "^9.0.0", + "googleapis-common": "^7.0.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/googleapis-common": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/googleapis-common/-/googleapis-common-7.2.0.tgz", + "integrity": "sha512-/fhDZEJZvOV3X5jmD+fKxMqma5q2Q9nZNSF3kn1F18tpxmA86BcTxAGBQdM0N89Z3bEaIs+HVznSmFJEAmMTjA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "extend": "^3.0.2", + "gaxios": "^6.0.3", + "google-auth-library": "^9.7.0", + "qs": "^6.7.0", + "url-template": "^2.0.8", + "uuid": "^9.0.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/googleapis-common/node_modules/uuid": { + "version": "9.0.1", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-9.0.1.tgz", + "integrity": "sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==", + "dev": true, + "funding": [ + "https://github.com/sponsors/broofa", + "https://github.com/sponsors/ctavan" + ], + "license": "MIT", + "bin": { + "uuid": "dist/bin/uuid" + } + }, "node_modules/gopd": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz", @@ -6502,6 +7388,20 @@ "resolved": "https://registry.npmjs.org/grid-index/-/grid-index-1.1.0.tgz", "integrity": "sha512-HZRwumpOGUrHyxO5bqKZL0B0GlUpwtCAzZ42sgxUPniu33R1LSFH5yrIcBCHjkctCAh3mtWKcKd9J4vDDdeVHA==" }, + "node_modules/gtoken": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/gtoken/-/gtoken-7.1.0.tgz", + "integrity": "sha512-pCcEwRi+TKpMlxAQObHDQ56KawURgyAf6jtIY046fJ5tIv3zDe/LEIubckAO8fj6JnAxLdmWkUfNyulQ2iKdEw==", + "dev": true, + "license": "MIT", + "dependencies": { + "gaxios": "^6.0.0", + "jws": "^4.0.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, "node_modules/has": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", @@ -6533,12 +7433,13 @@ } }, "node_modules/has-property-descriptors": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz", - "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==", + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz", + "integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==", "dev": true, + "license": "MIT", "dependencies": { - "get-intrinsic": "^1.1.1" + "es-define-property": "^1.0.0" }, "funding": { "url": "https://github.com/sponsors/ljharb" @@ -6588,6 +7489,19 @@ "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz", "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ==" }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/hoist-non-react-statics": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz", @@ -6598,6 +7512,19 @@ "react-is": "^16.7.0" } }, + "node_modules/html-encoding-sniffer": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-4.0.0.tgz", + "integrity": "sha512-Y22oTqIU4uuPgEemfz7NDJz6OeKf12Lsu+QC+s3BVpda64lTiMYCyGwg5ki4vFxkMwQdeZDl2adZoqUgdFuTgQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-encoding": "^3.1.1" + }, + "engines": { + "node": ">=18" + } + }, "node_modules/http-errors": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.4.0.tgz", @@ -6615,6 +7542,33 @@ "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz", "integrity": "sha512-8nWq2nLTAwd02jTqJExUYFSD/fKq6VH9Y/oG2accc/kdI0V98Bag8d5a4gi3XHz73rDWa2PvTtvcWYquKqSENA==" }, + "node_modules/http-proxy-agent": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-7.0.2.tgz", + "integrity": "sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "^7.1.0", + "debug": "^4.3.4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/http-proxy-agent/node_modules/agent-base": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-7.1.1.tgz", + "integrity": "sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^4.3.4" + }, + "engines": { + "node": ">= 14" + } + }, "node_modules/https-proxy-agent": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", @@ -6635,6 +7589,16 @@ "node": ">=8.12.0" } }, + "node_modules/humanize-ms": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/humanize-ms/-/humanize-ms-1.2.1.tgz", + "integrity": "sha512-Fl70vYtsAFb/C06PTS9dZBo7ihau+Tu/DNCk/OyHhea07S+aeMWpFFkUaXRa8fI+ScZbEI8dfSxwY7gxZ9SAVQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.0.0" + } + }, "node_modules/iconv-lite": { "version": "0.4.24", "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", @@ -6956,6 +7920,13 @@ "node": ">=8" } }, + "node_modules/is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", + "dev": true, + "license": "MIT" + }, "node_modules/is-regex": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/is-regex/-/is-regex-1.1.4.tgz", @@ -7163,6 +8134,133 @@ "js-yaml": "bin/js-yaml.js" } }, + "node_modules/jsdom": { + "version": "25.0.1", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-25.0.1.tgz", + "integrity": "sha512-8i7LzZj7BF8uplX+ZyOlIz86V6TAsSs+np6m1kpW9u0JWi4z/1t+FzcK1aek+ybTnAC4KhBL4uXCNT0wcUIeCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssstyle": "^4.1.0", + "data-urls": "^5.0.0", + "decimal.js": "^10.4.3", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^4.0.0", + "http-proxy-agent": "^7.0.2", + "https-proxy-agent": "^7.0.5", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.12", + "parse5": "^7.1.2", + "rrweb-cssom": "^0.7.1", + "saxes": "^6.0.0", + "symbol-tree": "^3.2.4", + "tough-cookie": "^5.0.0", + "w3c-xmlserializer": "^5.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^3.1.1", + "whatwg-mimetype": "^4.0.0", + "whatwg-url": "^14.0.0", + "ws": "^8.18.0", + "xml-name-validator": "^5.0.0" + }, + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "canvas": "^2.11.2" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jsdom/node_modules/agent-base": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-7.1.1.tgz", + "integrity": "sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^4.3.4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/jsdom/node_modules/https-proxy-agent": { + "version": "7.0.5", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-7.0.5.tgz", + "integrity": "sha512-1e4Wqeblerz+tMKPIq2EMGiiWW1dIjZOksyHWSUm1rmuvw/how9hBHZ38lAGj5ID4Ik6EdkOw7NmWPy6LAwalw==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "^7.0.2", + "debug": "4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/jsdom/node_modules/tr46": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-5.0.0.tgz", + "integrity": "sha512-tk2G5R2KRwBd+ZN0zaEXpmzdKyOYksXwywulIX95MBODjSzMIuQnQ3m8JxgbhnL1LeVo7lqQKsYa1O3Htl7K5g==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.3.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/jsdom/node_modules/webidl-conversions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz", + "integrity": "sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + } + }, + "node_modules/jsdom/node_modules/whatwg-url": { + "version": "14.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-14.0.0.tgz", + "integrity": "sha512-1lfMEm2IEr7RIV+f4lUNPOqfFL+pO+Xw3fJSqmjX9AbXcXcYOkCe1P6+9VBZB6n94af16NfZf+sSk0JCBZC9aw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "^5.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/jsdom/node_modules/ws": { + "version": "8.18.0", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.18.0.tgz", + "integrity": "sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, "node_modules/jsesc": { "version": "2.5.2", "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", @@ -7175,6 +8273,16 @@ "node": ">=4" } }, + "node_modules/json-bigint": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-bigint/-/json-bigint-1.0.0.tgz", + "integrity": "sha512-SiPv/8VpZuWbvLSMtTDU8hEfrZWg/mH/nV/b4o0CYbSxu1UIQPLdwKOCIyLQX+VIPO5vrLX3i8qtqFyhdPSUSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "bignumber.js": "^9.0.0" + } + }, "node_modules/json-buffer": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", @@ -7243,6 +8351,29 @@ "node": ">=4.0" } }, + "node_modules/jwa": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/jwa/-/jwa-2.0.0.tgz", + "integrity": "sha512-jrZ2Qx916EA+fq9cEAeCROWPTfCwi1IVHqT2tapuqLEVVDKFDENFw1oL+MwrTvH6msKxsd1YTDVw6uKEcsrLEA==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-equal-constant-time": "1.0.1", + "ecdsa-sig-formatter": "1.0.11", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jws": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/jws/-/jws-4.0.0.tgz", + "integrity": "sha512-KDncfTmOZoOMTFG4mBlG0qUIOlc03fmzH+ru6RgYVZhPkyiy/92Owlt/8UEN+a4TXR1FQetfIpJE8ApdvdVxTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "jwa": "^2.0.0", + "safe-buffer": "^5.0.1" + } + }, "node_modules/kdbush": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/kdbush/-/kdbush-4.0.2.tgz", @@ -7507,7 +8638,6 @@ "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", "dev": true, - "peer": true, "engines": { "node": ">= 0.6" } @@ -7517,7 +8647,6 @@ "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", "dev": true, - "peer": true, "dependencies": { "mime-db": "1.52.0" }, @@ -7713,6 +8842,15 @@ "node": "^10 || ^12 || >=14" } }, + "node_modules/next/node_modules/zod": { + "version": "3.21.4", + "resolved": "https://registry.npmjs.org/zod/-/zod-3.21.4.tgz", + "integrity": "sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/colinhacks" + } + }, "node_modules/no-case": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/no-case/-/no-case-3.0.4.tgz", @@ -7723,6 +8861,26 @@ "tslib": "^2.0.3" } }, + "node_modules/node-domexception": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/node-domexception/-/node-domexception-1.0.0.tgz", + "integrity": "sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/jimmywarting" + }, + { + "type": "github", + "url": "https://paypal.me/jimmywarting" + } + ], + "license": "MIT", + "engines": { + "node": ">=10.5.0" + } + }, "node_modules/node-fetch": { "version": "2.6.7", "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.7.tgz", @@ -7823,6 +8981,13 @@ "url": "https://github.com/fb55/nth-check?sponsor=1" } }, + "node_modules/nwsapi": { + "version": "2.2.13", + "resolved": "https://registry.npmjs.org/nwsapi/-/nwsapi-2.2.13.tgz", + "integrity": "sha512-cTGB9ptp9dY9A5VbMSe7fQBcl/tt22Vcqdq8+eN93rblOuE0aCFu4aZ2vMwct/2t+lFnosm8RkQW1I0Omb1UtQ==", + "dev": true, + "license": "MIT" + }, "node_modules/object-assign": { "version": "4.1.1", "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", @@ -7841,10 +9006,14 @@ } }, "node_modules/object-inspect": { - "version": "1.12.3", - "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz", - "integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==", + "version": "1.13.3", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.3.tgz", + "integrity": "sha512-kDCGIbxkDSXE3euJZZXzc6to7fCrKHNI/hSRQnRuQ+BWjFNzZwiFF8fj/6o2t2G9/jTj8PSIYTfCLelLZEeRpA==", "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, "funding": { "url": "https://github.com/sponsors/ljharb" } @@ -7971,6 +9140,43 @@ "url": "https://github.com/sponsors/sindresorhus" } }, + "node_modules/openai": { + "version": "4.71.1", + "resolved": "https://registry.npmjs.org/openai/-/openai-4.71.1.tgz", + "integrity": "sha512-C6JNMaQ1eijM0lrjiRUL3MgThVP5RdwNAghpbJFdW0t11LzmyqON8Eh8MuUuEZ+CeD6bgYl2Fkn2BoptVxv9Ug==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@types/node": "^18.11.18", + "@types/node-fetch": "^2.6.4", + "abort-controller": "^3.0.0", + "agentkeepalive": "^4.2.1", + "form-data-encoder": "1.7.2", + "formdata-node": "^4.3.2", + "node-fetch": "^2.6.7" + }, + "bin": { + "openai": "bin/cli" + }, + "peerDependencies": { + "zod": "^3.23.8" + }, + "peerDependenciesMeta": { + "zod": { + "optional": true + } + } + }, + "node_modules/openai/node_modules/@types/node": { + "version": "18.19.64", + "resolved": "https://registry.npmjs.org/@types/node/-/node-18.19.64.tgz", + "integrity": "sha512-955mDqvO2vFf/oL7V3WiUtiz+BugyX8uVbaT2H8oj3+8dRyH2FLiNdowe7eNqRM7IOIZvzDH76EoAT+gwm6aIQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~5.26.4" + } + }, "node_modules/optionator": { "version": "0.9.3", "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.3.tgz", @@ -8072,6 +9278,19 @@ "node": ">=6" } }, + "node_modules/parse5": { + "version": "7.2.1", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.2.1.tgz", + "integrity": "sha512-BuBYQYlv1ckiPdQi/ohiivi9Sagc9JG+Ozs0r7b/0iK3sKmrb0b9FdWdBbOdx6hBCM/F9Ir82ofnBhtZOjCRPQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "entities": "^4.5.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, "node_modules/path-browserify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/path-browserify/-/path-browserify-1.0.1.tgz", @@ -8552,13 +9771,30 @@ } }, "node_modules/punycode": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.0.tgz", - "integrity": "sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==", + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "license": "MIT", "engines": { "node": ">=6" } }, + "node_modules/qs": { + "version": "6.13.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.13.0.tgz", + "integrity": "sha512-+38qI9SOr8tfZ4QmJNplMUxqjbe7LKvvZgWdExBOmd+egZTtjLB67Gu0HRX3u/XOq7UU2Nx6nsjvS16Z9uwfpg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "side-channel": "^1.0.6" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, "node_modules/queue-microtask": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", @@ -8964,6 +10200,13 @@ "url": "https://github.com/sponsors/isaacs" } }, + "node_modules/rrweb-cssom": { + "version": "0.7.1", + "resolved": "https://registry.npmjs.org/rrweb-cssom/-/rrweb-cssom-0.7.1.tgz", + "integrity": "sha512-TrEMa7JGdVm0UThDJSx7ddw5nVm3UJS9o9CCIZ72B1vSyEZoziDqBYP3XIoi/12lKrJR8rE3jeFHMok2F/Mnsg==", + "dev": true, + "license": "MIT" + }, "node_modules/run-parallel": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", @@ -9047,6 +10290,19 @@ "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" }, + "node_modules/saxes": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", + "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", + "dev": true, + "license": "ISC", + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=v12.22.7" + } + }, "node_modules/scheduler": { "version": "0.23.0", "resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.23.0.tgz", @@ -9102,6 +10358,24 @@ "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", "integrity": "sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==" }, + "node_modules/set-function-length": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/set-function-length/-/set-function-length-1.2.2.tgz", + "integrity": "sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-data-property": "^1.1.4", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.4", + "gopd": "^1.0.1", + "has-property-descriptors": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, "node_modules/setprototypeof": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", @@ -9127,14 +10401,19 @@ } }, "node_modules/side-channel": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", - "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.6.tgz", + "integrity": "sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==", "dev": true, + "license": "MIT", "dependencies": { - "call-bind": "^1.0.0", - "get-intrinsic": "^1.0.2", - "object-inspect": "^1.9.0" + "call-bind": "^1.0.7", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.4", + "object-inspect": "^1.13.1" + }, + "engines": { + "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" @@ -9504,6 +10783,13 @@ "node": ">= 10" } }, + "node_modules/symbol-tree": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", + "dev": true, + "license": "MIT" + }, "node_modules/tailwindcss": { "version": "3.3.3", "resolved": "https://registry.npmjs.org/tailwindcss/-/tailwindcss-3.3.3.tgz", @@ -9679,6 +10965,26 @@ "resolved": "https://registry.npmjs.org/tinyqueue/-/tinyqueue-2.0.3.tgz", "integrity": "sha512-ppJZNDuKGgxzkHihX8v9v9G5f+18gzaTfrukGrq6ueg0lmH4nqVnA2IPG0AEH3jKEk2GRJCUhDoqpoiw3PHLBA==" }, + "node_modules/tldts": { + "version": "6.1.58", + "resolved": "https://registry.npmjs.org/tldts/-/tldts-6.1.58.tgz", + "integrity": "sha512-MQJrJhjHOYGYb8DobR6Y4AdDbd4TYkyQ+KBDVc5ODzs1cbrvPpfN1IemYi9jfipJ/vR1YWvrDli0hg1y19VRoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tldts-core": "^6.1.58" + }, + "bin": { + "tldts": "bin/cli.js" + } + }, + "node_modules/tldts-core": { + "version": "6.1.58", + "resolved": "https://registry.npmjs.org/tldts-core/-/tldts-core-6.1.58.tgz", + "integrity": "sha512-dR936xmhBm7AeqHIhCWwK765gZ7dFyL+IqLSFAjJbFlUXGMLCb8i2PzlzaOuWBuplBTaBYseSb565nk/ZEM0Bg==", + "dev": true, + "license": "MIT" + }, "node_modules/to-fast-properties": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", @@ -9707,6 +11013,19 @@ "node": ">=0.6" } }, + "node_modules/tough-cookie": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-5.0.0.tgz", + "integrity": "sha512-FRKsF7cz96xIIeMZ82ehjC3xW2E+O2+v11udrDYewUbszngYhsGa8z6YUMMzO9QJZzzyd0nGGXnML/TReX6W8Q==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "tldts": "^6.1.32" + }, + "engines": { + "node": ">=16" + } + }, "node_modules/tr46": { "version": "0.0.3", "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", @@ -9816,6 +11135,66 @@ "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.6.2.tgz", "integrity": "sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==" }, + "node_modules/tsx": { + "version": "4.19.2", + "resolved": "https://registry.npmjs.org/tsx/-/tsx-4.19.2.tgz", + "integrity": "sha512-pOUl6Vo2LUq/bSa8S5q7b91cgNSjctn9ugq/+Mvow99qW6x/UZYwzxy/3NmqoT66eHYfCVvFvACC58UBPFf28g==", + "dev": true, + "license": "MIT", + "dependencies": { + "esbuild": "~0.23.0", + "get-tsconfig": "^4.7.5" + }, + "bin": { + "tsx": "dist/cli.mjs" + }, + "engines": { + "node": ">=18.0.0" + }, + "optionalDependencies": { + "fsevents": "~2.3.3" + } + }, + "node_modules/tsx/node_modules/esbuild": { + "version": "0.23.1", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.23.1.tgz", + "integrity": "sha512-VVNz/9Sa0bs5SELtn3f7qhJCDPCF5oMEl5cO9/SSinpE9hbPVvxbd572HH5AKiP7WD8INO53GgfDDhRjkylHEg==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "bin": { + "esbuild": "bin/esbuild" + }, + "engines": { + "node": ">=18" + }, + "optionalDependencies": { + "@esbuild/aix-ppc64": "0.23.1", + "@esbuild/android-arm": "0.23.1", + "@esbuild/android-arm64": "0.23.1", + "@esbuild/android-x64": "0.23.1", + "@esbuild/darwin-arm64": "0.23.1", + "@esbuild/darwin-x64": "0.23.1", + "@esbuild/freebsd-arm64": "0.23.1", + "@esbuild/freebsd-x64": "0.23.1", + "@esbuild/linux-arm": "0.23.1", + "@esbuild/linux-arm64": "0.23.1", + "@esbuild/linux-ia32": "0.23.1", + "@esbuild/linux-loong64": "0.23.1", + "@esbuild/linux-mips64el": "0.23.1", + "@esbuild/linux-ppc64": "0.23.1", + "@esbuild/linux-riscv64": "0.23.1", + "@esbuild/linux-s390x": "0.23.1", + "@esbuild/linux-x64": "0.23.1", + "@esbuild/netbsd-x64": "0.23.1", + "@esbuild/openbsd-arm64": "0.23.1", + "@esbuild/openbsd-x64": "0.23.1", + "@esbuild/sunos-x64": "0.23.1", + "@esbuild/win32-arm64": "0.23.1", + "@esbuild/win32-ia32": "0.23.1", + "@esbuild/win32-x64": "0.23.1" + } + }, "node_modules/type-check": { "version": "0.4.0", "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", @@ -9948,6 +11327,13 @@ "node": ">=14.0" } }, + "node_modules/undici-types": { + "version": "5.26.5", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz", + "integrity": "sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==", + "dev": true, + "license": "MIT" + }, "node_modules/unicode-canonical-property-names-ecmascript": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.0.tgz", @@ -10042,6 +11428,13 @@ "punycode": "^2.1.0" } }, + "node_modules/url-template": { + "version": "2.0.8", + "resolved": "https://registry.npmjs.org/url-template/-/url-template-2.0.8.tgz", + "integrity": "sha512-XdVKMF4SJ0nP/O7XIPB0JwAEuT9lDIYnNsK8yGVe43y0AWoKeJNdv3ZNWh7ksJ6KqQFjOO6ox/VEitLnaVNufw==", + "dev": true, + "license": "BSD" + }, "node_modules/use-sync-external-store": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/use-sync-external-store/-/use-sync-external-store-1.2.0.tgz", @@ -10175,6 +11568,19 @@ "pbf": "^3.2.1" } }, + "node_modules/w3c-xmlserializer": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-5.0.0.tgz", + "integrity": "sha512-o8qghlI8NZHU1lLPrpi2+Uq7abh4GGPpYANlalzWxyWteJOCsr/P+oPBA49TOLu5FTZO4d3F9MnWJfiMo4BkmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "xml-name-validator": "^5.0.0" + }, + "engines": { + "node": ">=18" + } + }, "node_modules/warning": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/warning/-/warning-4.0.3.tgz", @@ -10195,6 +11601,16 @@ "node": ">=10.13.0" } }, + "node_modules/web-streams-polyfill": { + "version": "4.0.0-beta.3", + "resolved": "https://registry.npmjs.org/web-streams-polyfill/-/web-streams-polyfill-4.0.0-beta.3.tgz", + "integrity": "sha512-QW95TCTaHmsYfHDybGMwO5IJIM93I/6vTRk+daHTWFPhwh+C8Cg7j7XyKrwrj8Ib6vYXe0ocYNrmzY4xAAN6ug==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 14" + } + }, "node_modules/web-vitals": { "version": "0.2.4", "resolved": "https://registry.npmjs.org/web-vitals/-/web-vitals-0.2.4.tgz", @@ -10301,6 +11717,42 @@ "node": ">=10.13.0" } }, + "node_modules/whatwg-encoding": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz", + "integrity": "sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "iconv-lite": "0.6.3" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/whatwg-encoding/node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/whatwg-mimetype": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-4.0.0.tgz", + "integrity": "sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + } + }, "node_modules/whatwg-url": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", @@ -10455,6 +11907,23 @@ "node": ">= 6.0" } }, + "node_modules/xml-name-validator": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-5.0.0.tgz", + "integrity": "sha512-EvGK8EJ3DhaHfbRlETOWAS5pO9MZITeauHKJyb8wyajUfQUenkIg2MvLDTZ4T/TgIcm3HU0TFBgWWboAZ30UHg==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=18" + } + }, + "node_modules/xmlchars": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", + "dev": true, + "license": "MIT" + }, "node_modules/xtend": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.2.tgz", @@ -10530,9 +11999,13 @@ } }, "node_modules/zod": { - "version": "3.21.4", - "resolved": "https://registry.npmjs.org/zod/-/zod-3.21.4.tgz", - "integrity": "sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==", + "version": "3.23.8", + "resolved": "https://registry.npmjs.org/zod/-/zod-3.23.8.tgz", + "integrity": "sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==", + "dev": true, + "license": "MIT", + "optional": true, + "peer": true, "funding": { "url": "https://github.com/sponsors/colinhacks" } diff --git a/package.json b/package.json index 07c9c3e..9c75a76 100644 --- a/package.json +++ b/package.json @@ -9,6 +9,9 @@ "dev": "npm run migrate-check && next dev", "migrate-check": "prisma migrate diff --from-schema-datamodel=prisma/schema.prisma --to-schema-datasource=prisma/schema.prisma", "build": "prisma migrate reset --force && next build", + "dbpush": "prisma db push", + "seed": "prisma db seed", + "seedscaled": "prisma db seed -- --scaled", "start": "next start", "lint": "next lint", "format": "prettier . --write" @@ -29,6 +32,7 @@ }, "devDependencies": { "@svgr/webpack": "^8.1.0", + "@types/jsdom": "^21.1.7", "@types/next": "^9.0.0", "@types/node": "20.5.9", "@types/react": "18.2.21", @@ -40,11 +44,15 @@ "eslint-config-next": "13.4.19", "eslint-config-prettier": "^9.1.0", "file-loader": "^6.2.0", + "googleapis": "^144.0.0", + "jsdom": "^25.0.1", + "openai": "^4.71.1", "postcss": "8.4.29", "prettier": "^3.2.5", "prettier-plugin-tailwindcss": "^0.5.11", "prisma": "^5.13.0", "tailwindcss": "3.3.3", + "tsx": "^4.19.2", "typescript": "5.2.2" }, "prettier": { diff --git a/prisma/migrations/20240522184551_/migration.sql b/prisma/migrations/20241211185540_init/migration.sql similarity index 95% rename from prisma/migrations/20240522184551_/migration.sql rename to prisma/migrations/20241211185540_init/migration.sql index 87981d7..ebed395 100644 --- a/prisma/migrations/20240522184551_/migration.sql +++ b/prisma/migrations/20241211185540_init/migration.sql @@ -7,11 +7,13 @@ CREATE TYPE "ProgramCategory" AS ENUM ('volunteer', 'donate', 'enrichment'); -- CreateTable CREATE TABLE "School" ( "id" UUID NOT NULL DEFAULT gen_random_uuid(), + "casid" TEXT NOT NULL, "name" TEXT NOT NULL, "address" TEXT NOT NULL, "neighborhood" TEXT NOT NULL, "priority" BOOLEAN NOT NULL DEFAULT false, "img" TEXT, + "logo" TEXT, "latitude" TEXT NOT NULL, "longitude" TEXT NOT NULL, @@ -65,6 +67,9 @@ CREATE TABLE "Program" ( CONSTRAINT "Program_pkey" PRIMARY KEY ("id") ); +-- CreateIndex +CREATE UNIQUE INDEX "School_casid_key" ON "School"("casid"); + -- CreateIndex CREATE UNIQUE INDEX "SchoolProfile_schoolId_key" ON "SchoolProfile"("schoolId"); diff --git a/prisma/schema.prisma b/prisma/schema.prisma index 062867b..5b32c6e 100644 --- a/prisma/schema.prisma +++ b/prisma/schema.prisma @@ -1,33 +1,35 @@ generator client { - provider = "prisma-client-js" + provider = "prisma-client-js" binaryTargets = ["native", "darwin-arm64"] } datasource db { - provider = "postgresql" - url = env("POSTGRES_PRISMA_URL") // uses connection pooling + provider = "postgresql" + url = env("POSTGRES_PRISMA_URL") // uses connection pooling directUrl = env("POSTGRES_URL_NON_POOLING") // uses a direct connection } model School { - id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid - name String - address String - neighborhood String - priority Boolean @default(false) - img String? - latitude String - longitude String - profile SchoolProfile? - metrics Metric[] - programs Program[] + id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid + casid String @unique + name String + address String + neighborhood String + priority Boolean @default(false) + img String? + logo String? + latitude String + longitude String + profile SchoolProfile? + metrics Metric[] + programs Program[] } model SchoolProfile { id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid schoolId String @unique @db.Uuid - school School @relation(fields: [schoolId], references: [id]) - about String + school School @relation(fields: [schoolId], references: [id]) + about String about_bp String[] volunteer_form_url String donation_url String? @@ -37,32 +39,31 @@ model SchoolProfile { testimonial_video String? testimonial_img String? noteable_video String? - principal String - instagram_url String? - facebook_url String? - website_url String? + principal String + instagram_url String? + facebook_url String? + website_url String? } model Metric { - id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid - schoolId String @db.Uuid - school School @relation(fields: [schoolId], references: [id]) - name String - value Float @default(0) - unit String - category MetricCategory + id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid + schoolId String @db.Uuid + school School @relation(fields: [schoolId], references: [id]) + name String + value Float @default(0) + unit String + category MetricCategory } - model Program { - id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid - schoolId String @db.Uuid - school School @relation(fields: [schoolId], references: [id]) - name String - details String - url String? - img String? - category ProgramCategory + id String @id @default(dbgenerated("gen_random_uuid()")) @db.Uuid + schoolId String @db.Uuid + school School @relation(fields: [schoolId], references: [id]) + name String + details String + url String? + img String? + category ProgramCategory } enum MetricCategory { @@ -74,4 +75,4 @@ enum ProgramCategory { volunteer donate enrichment -} \ No newline at end of file +} diff --git a/prisma/seed.json b/prisma/seed.json new file mode 100644 index 0000000..35c4039 --- /dev/null +++ b/prisma/seed.json @@ -0,0 +1,10428 @@ +[ + { + "name": "Balboa High School", + "address": "1000 Cayuga Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": false, + "img": "balboa.jpeg", + "latitude": "37.722", + "longitude": "-122.44041", + "casid": "3830288", + "profile": { + "create": { + "about": "Balboa (\"Bal\") is a unique high school with a rich history and tradition.", + "about_bp": [ + "Bal was the first high school in SFUSD to organize into small learning communities called Pathways.", + "In their Pathways, students build relationships with teachers, while engaging in rigorous academic, athletic, and artistic pursuits.", + "The five Pathways at BAL are: CAST (Creative Arts for Social Transformation), GDA (Game Design Academy), Law Academy, PULSE (Peers United for Leadership, Service and Equity) and WALC (Wilderness, Art, and Literacy Collaborative)", + "Bal is the only SFUSD high school with an on-campus teen health clinic." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSd5ZGgHnefy4wTZ4Iasus5MV8H9SM5XxccdBxIgy2R0qVEHFg/viewform", + "donation_text": "Mail a check made out to Balboa High School and mail it to:\nBalboa High School\n1000 Cayuga Avenue\nSan Francisco, CA 94112", + "testimonial": "\"We are the only high school to have an on-campus clinic. I find it really convenient, because my doctor is like across town from where I live, and I have to miss a whole day of school when I'm sick. Our clinic is COMPLETELY free, counselors, medicine, sex ed.\"", + "principal": "Dr. Catherine Arenson", + "instagram_url": "http://www.instagram.com/balboahs", + "facebook_url": "https://www.facebook.com/pages/Balboa-High-School-California/140869085980447 ", + "website_url": "https://www.sfusd.edu/school/balboa-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 297, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 43, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 59, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 95, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/balboa-high-school/4391", + "category": "donate" + }, + { + "name": "PTSA", + "details": "", + "url": "https://www.sfusd.edu/school/balboa-high-school/ptsa/cash-appeal", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "balboa-high-school.png" + }, + { + "name": "Burton High School", + "address": "400 Mansell St, San Francisco, CA", + "neighborhood": "Portola", + "priority": true, + "img": "burton.jpeg", + "latitude": "37.72126", + "longitude": "-122.4063", + "casid": "3830254", + "profile": { + "create": { + "about": "Burton High School was established in 1984 as a result of a Consent Decree between the City of San Francisco and the NAACP, and is named after Phillip Burton, a member of the California Assembly who championed the civil rights of others. Burton also:", + "about_bp": [ + "Is a \u201cwall-to-wall\u201d academy school, offering specialized career and technical education in Arts & Media, Engineering, Health Sciences, and Performing Arts to students in the form of project-based learning classes", + "Has a student body that represents every ethnicity, socio-economic group, and neighborhood of San Francisco", + "Has an extensive partnership with the Bayview YMCA, and offers college classes by City College on Saturdays as well as after-school tutoring", + "Offers after-school program called P.A.C.E (Pumas\u2019 Academics, College & Career, and Enrichments) offers academic, community service based and skill building activities", + "Burton has the only public high school marching band in the city!" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1xqB69hsheJEHtUcfcrAlqRYxCv7EsYpDgdqmktWxAWo/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=QPPWNFC966MYQ", + "donation_text": "Donate to Burton's PTSA. All of your donation goes directly to programs benefitting teachers an students!", + "testimonial": "\"I like my teachers because they really care about me and they\u2019re always willing to go an extra mile for me when I need it.\"", + "testimonial_author": "Daniela Simental, student", + "testimonial_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=ch5T8GWlPJCxJHGz&start=192", + "noteable_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=bL4VMGrxRQ_xipUf", + "principal": "Suniqua Thomas", + "instagram_url": "https://www.instagram.com/burtonpumas/", + "facebook_url": "https://www.facebook.com/burtonpumas/", + "website_url": "https://www.sfusd.edu/school/phillip-and-sala-burton-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 240, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 90, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Burton's Marching Band", + "details": "", + "url": "https://www.paypal.com/donate/?hosted_button_id=Q95CE7W539Z2U", + "category": "donate" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/philip-sala-burton-high-school/4390", + "category": "donate" + }, + { + "name": "Food Pantry", + "details": "", + "url": "https://www.gofundme.com/f/j7awn-burton-high-school-food-pantry", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "phillip-and-sala-burton-academic-high-school.jpg" + }, + { + "name": "Downtown High School", + "address": "693 Vermont St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "downtown.jpeg", + "latitude": "37.761565", + "longitude": "-122.40394", + "casid": "3830064", + "profile": { + "create": { + "about": "Downtown High School (DHS) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "DHS represents a second chance for students to succeed and a chance to graduate from high school.", + "DHS meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "DHS offers project-based learning with the following five projects: Acting for Critical Transformations (ACT), Get Out and Learn (GOAL), Making, Advocating and Designing for Empowerment (MADE), Music and Academics Resisting the System (MARS), and Wilderness Arts and Literacy Collaborative (WALC)." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSecfLxlYgdHcs4vZLtW-V8CKVT38kY4rc7qqb5ocj-X9J3jLQ/viewform", + "donation_text": "Mail a check made out to Downtown High School and mail it to:\nDowntown High School\n693 Vermont St.\nSan Francisco, CA 94107", + "principal": "Todd Williams", + "instagram_url": "www.instagram.com/downtown_hs", + "website_url": "https://www.sfusd.edu/school/downtown-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 83, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 57, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/downtown-alternative-cont-high-school/4386", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "downtown-high-school.jpg" + }, + { + "name": "Galileo Academy of Science & Technology", + "address": "1150 Francisco St, San Francisco, CA", + "neighborhood": "Russian Hill", + "priority": false, + "img": "galileo.jpeg", + "latitude": "37.80379", + "longitude": "-122.424145", + "casid": "3831765", + "profile": { + "create": { + "about": "Galileo Academy of Science and Technology (\"Galileo\") is committed to providing equal access to all of their educational programs.", + "about_bp": [ + "Galileo offers three career technical Academic pathways: 1) Biotechnology, Environmental Science, Health Sciences, 2) Information Technology, Media, Arts, and 3) Hospitality, Travel and Tourism.", + "Galileo provides servies that meet diverse learning needs, including extensive Honors, Advanced Placement (AP) courses, English Language Development (ELD), and Special Education Services.", + "Galileo aims to provide support for their students for life, college, and beyond through programs like AVID with additional academic counseling for college prepation, the Wellness Center, and their Futurama after-school program with sports, arts, enrichment, and tutoring." + ], + "volunteer_form_url": "https://forms.gle/H89nowxGSMLoBqTaA", + "donation_text": "Donate to Galileo's PTSA. Donations support teacher/classroom stipends, educational enrichment grants, community events, World Party, and student leadership.", + "donation_url": "https://www.galileoptsa.org/donation-form", + "testimonial": "\"I like my teachers because they're very understanding and very supportive. I take some cool classes such as health academy, which is very interesting because we got to learn a lot of things related to medical field ... and we get to visit hospitals.\"", + "testimonial_author": "Senior in 2021 - Romaissa Khaldi", + "testimonial_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=MCUnI9xwh_PhhchA&start=170", + "noteable_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=lsyO4inn548P7bTE", + "principal": "Ambar Panjabi", + "instagram_url": "https://www.instagram.com/galileoasb/", + "facebook_url": "https://www.facebook.com/GalileoAcademy/", + "website_url": "https://www.sfusd.edu/school/galileo-academy-science-technology" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 417, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 51, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 57, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 88, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/galileo-academy-science-tech/4398", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "galileo-academy-science-technology.jpg" + }, + { + "name": "Ida B. Wells High School", + "address": "1099 Hayes St, San Francisco, CA", + "neighborhood": "Lower Haight", + "priority": false, + "img": "idabwells.jpeg", + "latitude": "37.7751", + "longitude": "-122.433985", + "casid": "3830031", + "profile": { + "create": { + "about": "Ida B. Wells (IBW) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "IBW represents a second chance for students who are 16+ to succeed and a chance to graduate from high school.", + "IBW meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "IBW's special programs include Culinary Arts, Drama, Computer Applications and Robotics, Ceramics, and Surfing." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSf71Z-9hmWL13xOeIDiVP2atl3Wj4BHMnsOrowM9XAFycvIhg/viewform", + "donation_text": "Mail a check made out to Ida B. Wells High School and mail it to:\nIda B. Wells\n1099 Hayes St.\nSan Francisco, CA 94117", + "testimonial": "\"I love this school the teachers are awesome and the students are great!!! I graduated from here on time!! And I was behind like 150 credits and caught up within a year!! Thank you Ida b wells\"", + "testimonial_author": "Reyanna L.", + "principal": "Katie Pringle", + "instagram_url": "https://www.instagram.com/sf_idabwellshs", + "facebook_url": "https://www.facebook.com/pages/Ida-B-Wells-Continuation-High-School/1920936394824346", + "website_url": "https://www.sfusd.edu/school/ida-b-wells-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 82, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 67, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 57, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/ida-b-wells-high-school/4385", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "ida-b-wells-high-school.png" + }, + { + "name": "Independence High School", + "address": "1350 7th Ave, San Francisco, CA", + "neighborhood": "Inner Sunset", + "priority": false, + "img": "independence.jpeg", + "latitude": "37.76309", + "longitude": "-122.46388", + "casid": "3830197", + "profile": { + "create": { + "about": "Independence is a small alternative high school in SFUSD.", + "about_bp": [ + "Independence serves students who have significant obligations outside of school, including family and employment.", + "Independence creates a custom schedule for each student to meet their needs.", + "The school offers a unique hexamester system to maximize opportunities for students." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLScCyflGm6ePuNRFLQ4rCYYgHwzxWzBLkDtJjf1bgziWwwy7bg/viewform", + "donation_text": "Mail a check made out to Independence High School and mail it to:\nIndependence High School\n1350 7th Ave\nSan Francisco, CA 94122\n", + "testimonial": "\"I've met some of the most amazing, resilient people, grown, and had an amazing time all in all----this school is truly a hidden gem in the school system.\"", + "principal": "Anastasia (Anna) Klafter", + "instagram_url": "https://www.instagram.com/sfindependence/", + "facebook_url": "https://www.facebook.com/sfindependence/", + "website_url": "https://www.sfusd.edu/school/independence-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 99, + "unit": "", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 94, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/independence-high-school/4388", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "independence-high-school.png" + }, + { + "name": "SF International High School", + "address": "655 De Haro St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "international.jpeg", + "latitude": "37.76169", + "longitude": "-122.40082", + "casid": "0119875", + "profile": { + "create": { + "about": "SF International is a small public high school that offers a unique program designed for recent immigrant students.", + "about_bp": [ + "All subjects teach English development through meaningful projects that keep students motivated and connected to their learning.", + "SF International offers programs every day until 6:00 PM for all students.", + "Community volunteers interested in supporting SF International should go through nonprofit RIT (Refugee & Immigrant Transitions)." + ], + "volunteer_form_url": "https://www.tfaforms.com/5026463", + "donation_text": "Mail a check made out to SF Interntional High School and mail it to:\nSF International High School\n655 De Haro St.\nSan Francisco, CA 94107\n", + "testimonial": "\"I like everything about my school, we all have the same experience that makes us be a good community, we are all English learners with big goals. Our school is small and we receive a lot of attention from the teachers that every day pushes us to be a great student.\"", + "principal": "Nick Chan", + "instagram_url": "http://www.instagram.com/sfihuskies", + "website_url": "https://www.sfusd.edu/school/san-francisco-international-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 150, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 7, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Language Learners", + "value": 81, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 62, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/san-francisco-int-l-high-school/98266", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "san-francisco-international-high-school.png" + }, + { + "name": "June Jordan School for Equity", + "address": "325 La Grande Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": true, + "img": "junejordan.jpeg", + "latitude": "37.7195", + "longitude": "-122.42539", + "casid": "0102103", + "profile": { + "create": { + "about": "June Jordan is a small alternative high school named after activist June Jordan. The school was founded through community organizing by a group of teachers, parents, and youth.", + "about_bp": [ + "As a school for Social Justice serving primarily working class communities of color, the mission of JJSE is not just to prepare students for college but to also be positive agents of change in the world.", + "The school's three pillars are Community, Social Justice, and Independent Thinking.", + "Motorcycle Mechanics class and is home to a community farm." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1hVYScQ93TU03a5qh3pyoxVYFp2_xmkAj3-xGH20qNrg/viewform?edit_requested=true", + "donation_url": "https://smallschoolsforequity.org/donate/", + "donation_text": "Donate to June Jordan on the Small Schools for Equity website. All of your donation goes directly to programs benefitting teachers and youth!", + "testimonial": "\"June Jordan is a breath of fresh air myself and many others. There is a strong and immediate sense of community and family. The school is aimed towards helping students, specifically of Latinx or African American descent, thrive in all aspects of a academic scholar. Most schools are tied strictly towards academics but June Jordan has a different approach. They acknowledge the fact that a single being and their destiny should not be overlooked by a grade book. We build leaders at this school, we build demonstrators, organizers, and creators.\"", + "principal": "Amanda Chui", + "instagram_url": "https://www.instagram.com/officialjjse", + "facebook_url": "https://www.facebook.com/JuneJordanSchoolforEquity", + "website_url": "https://www.sfusd.edu/school/june-jordan-school-equity" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 59, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 30, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 84, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ], + "skipDuplicates": true + } + }, + "logo": "june-jordan-school-equity.png" + }, + { + "name": "Lincoln High School", + "address": "2162 24th Ave, San Francisco, CA", + "neighborhood": "Parkside/Sunset", + "priority": false, + "img": "lincoln.jpeg", + "latitude": "37.74729", + "longitude": "-122.48109", + "casid": "3833241", + "profile": { + "create": { + "about": "Lincoln is one of the three largest high schools in SFUSD. The school features:", + "about_bp": [ + "Partnerships with 14 different community agencies", + "Four CTE (Career Technical Education) funded multi-year Academy Programs: CTE Business Academy, CTE Digital Media Design Academy, CTE Green Academy, and CTE Teacher Academy", + "Two pathways: Art & Architecture Pathway (Formerly ACE Architecture, Construction, Engineering) and the Biotechnology Pathway", + "Services for special education (severely and non-severely impaired) students", + "A student newspaper called the \"Lincoln Log\"" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1iO_ex9OJK81xD9EQ8D4SZHjhJDhgyLcdb2IQq5u4rDg/edit", + "donation_url": "https://www.paypal.com/donate/?cmd=_s-xclick&hosted_button_id=RHY6FMNAJX8EE&source=url&ssrt=1713743821077", + "donation_text": "Donate to Lincoln's PTSA.", + "testimonial": "\"Here at Lincoln you've got tons of supportive staff and also you'll be open to major student leadership opportunities.\"", + "testimonial_author": "Kelly Wong, student", + "testimonial_video": "https://www.youtube.com/embed/PfHdxukonSg?si=RvM3VjT_SAPSI0Sb&start=225", + "noteable_video": "https://www.youtube.com/embed/PfHdxukonSg?si=Q3d3ieVn2fdtD_Ka", + "principal": "Sharimar Manalang", + "instagram_url": "https://www.instagram.com/alhsgreenacademy/", + "facebook_url": "https://www.facebook.com/groups/191813114254895/", + "website_url": "https://www.sfusd.edu/school/abraham-lincoln-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 507, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 91, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/abraham-lincoln-high-school/4399", + "category": "donate" + }, + { + "name": "Lincoln High School Alumni Association", + "details": "", + "url": "https://lincolnalumni.com/donations/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "abraham-lincoln-high-school.png" + }, + { + "name": "Lowell High School", + "address": "1101 Eucalyptus Dr, San Francisco, CA", + "neighborhood": "Lakeshore", + "priority": false, + "img": "lowell.jpeg", + "latitude": "37.73068", + "longitude": "-122.48392", + "casid": "3833407", + "profile": { + "create": { + "about": "Established in 1856, Lowell High School is the oldest public high school west of Mississippi, recognized as one of California's highest-performing public high scools.", + "about_bp": [ + "They have been honored as a National Blue Ribbon school 4 times, and a California Distinguished School 8 times and ranked #1 in the Western region for the number of Advanced Placement (AP) exams offered (31).", + "With a wide range of academic opportunities, Lowell has the largest Visual and Performing Arts Department in the city and a World Language Department with instruction in eight languages.", + "Lowell aims to connect PTSA and Alumni meaningfully within its community.", + "One of the only SFUSD schools with an established journalism program and student-run publication, The Lowell." + ], + "volunteer_form_url": "https://forms.gle/PWzEnLfgVWxcMDRz5", + "donation_url": "https://secure.givelively.org/donate/pta-california-congress-of-parents-teachers-students-inc-san-francisco-ca-8431854/lowell-ptsa-2023-2024-fundraising", + "donation_text": "Donate to Lowell's PTSA. Your donation will fund grants for student organizations, clubs, and teachers. It will also fund college readiness, diversity and inclusion, wellness, and hospitality programs. Any remainder at the end of the school year will go into our rainy day fund for next year.", + "noteable_video": "https://www.youtube.com/embed/c4BiiF55SvU?si=9XB3PhXZAP3ooIZn", + "principal": "Michael Jones", + "instagram_url": "https://www.instagram.com/lowellhs/?hl=en", + "facebook_url": "https://www.facebook.com/pages/Lowell-High-School-San-Francisco/109617595723992", + "website_url": "https://www.sfusd.edu/school/lowell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 605, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 84, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 3, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 96, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Remote (Website, Social Media, Newsletter)", + "details": "Help the PTSA maintain their online presence through remote social media, website, and newsletter maintenace!", + "url": "https://docs.google.com/forms/d/e/1FAIpQLSd_ZykYI3GM9GZOVtnq2x4cnN6GmEwo0rBKhI3nfWwBexl65A/viewform", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/lowell-high-school/4400", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "lowell-high-school.png" + }, + { + "name": "Mission High School", + "address": "3750 18th St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "mission.jpeg", + "latitude": "37.7616", + "longitude": "-122.42698", + "casid": "3834082", + "profile": { + "create": { + "about": "Mission High is the oldest comprehensive public school in San Francisco founded in 1890. The school:", + "about_bp": [ + "Is one of the most diverse schools in the San Francisco public school district, and beginning in the Fall of the 2007/08 school year, the Mission faculty collectively created a working definition of Anti-Racist/Equity education", + "Offers six Career and Tech Ed pathways: Environmental Science, Fire Science and EMS Academy, Media Arts, Peer Resources, Public Health, and Urban Agriculture", + "Has a majority of its students learning English as a second language (or perhaps as third or fourth language)", + "Is a historical landmark. It even has its own museum, founded in 1995 by a former science teacher, for the purpose of preserving and displaying the rich history of Mission High School" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1oene039Zn-fBGxjI2iS2B9n0O-U2BhtDZl-td9M0hNs", + "donation_url": "https://missionhigh.org/make-an-impact/", + "donation_text": "Donate to the Mission High Foundation. The foundation supports educator grants, the Annual College Trip, the food and agriculture program, college preparation, and student wellness.", + "testimonial": "\"I have never seen in other schools' teachers that worry a lot about the student...That\u2019s the difference about Mission, the teachers genuinely want their students to succeed.\"", + "testimonial_author": "Nathaly Perez", + "testimonial_video": "https://www.youtube.com/embed/cmNvxruXUG8?si=dpNJPOM768R3skBM", + "principal": "Valerie Forero", + "instagram_url": "https://www.instagram.com/missionhighfoundation/", + "facebook_url": "https://www.facebook.com/sfmissionhs/", + "website_url": "https://www.sfusd.edu/school/mission-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 243, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 56, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/mission-high-school/4401", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "mission-high-school.png" + }, + { + "name": "John O'Connell Technical High School", + "address": "2355 Folsom St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "johnoconnell.jpeg", + "latitude": "37.75956", + "longitude": "-122.41454", + "casid": "3834769", + "profile": { + "create": { + "about": "JOCHS is a small, academic-focused high school with several career pathways. The school provides:", + "about_bp": [ + "Four integrated Pathways for grades 11-12: Building and Construction Trades, Entrepreneurship and Culinary Arts, Health and Behavioral Sciences, and Public Service. During this time students are assigned professional internships to give them real world experience", + "For grades 9-10, \u201chouse\u201d classes that lead into Pathways when upperclassmen: Humanities and Social Justice, Science, Communication and Sustainability, and Liberation and Resistance Studies" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1SEjtZpA_mx6p-7PnUujdyL-skjRQtn07KBgXV0tPo-w", + "donation_text": "Mail a check made out to John O'Connell High School to:\nJohn O'Connell High School\n2355 Folsom St.\nSan Francisco, CA, 94110", + "testimonial": "\u201cA few of the clubs that I participate in are: Black Student Union, Student Body, Yearbook, and a couple more. I really love my school. I really love how they support us unconditionally\u2026\u201d", + "testimonial_author": "Lonnie, student", + "testimonial_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xSmHawJ6IbiQX-rr&start=231", + "noteable_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xlpYHFmZIBAkh4yd", + "principal": "Amy Abero & Susan Ryan (Co-Principals)", + "instagram_url": "https://www.instagram.com/oc_youknow/?hl=en", + "facebook_url": "https://www.facebook.com/OChighschoolSFUSD/", + "website_url": "https://www.sfusd.edu/school/john-oconnell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 99, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 40, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 65, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 86, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/john-o-connell-high-school/4402", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "john-oconnell-high-school.png" + }, + { + "name": "Ruth Asawa School of the Arts (SOTA)", + "address": "555 Portola Dr, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "ruthasawa.jpeg", + "latitude": "37.74538", + "longitude": "-122.44965", + "casid": "3830387", + "profile": { + "create": { + "about": "Ruth Asawa School of the Arts (SOTA) is named after renowned sculptor Ruth Asawa who was a passionate advocate for arts in education.", + "about_bp": [ + "SOTA is an audition-based, alternative high school committed to fostering equity and excelling in both arts and academics.", + "Rooted in its vision of artistic excellence, SOTA offers a unique educational experience emphasizing arts, with 6 specialized programs to reflect San Francisco's cultural diversity: DANCE: Conservatory Dance, World Dance, MUSIC: Band, Orchestra, Guitar, Piano, Vocal, and World Music, MEDIA & FILM, THEATRE: Acting, Musical Theatre, THEATER TECHNOLOGY: Costumes, Stagecraft, VISUAL: Drawing & Painting, Architecture & Design.", + "To integrate arts and academics, all SOTA students have art blocks every afternoon, and uniquely, they have an Artists-In-Residence Program partly funded through donations.", + "Co-located with The Academy" + ], + "volunteer_form_url": "https://forms.gle/bRnDEhzXYDD8mhcB6", + "donation_url": "https://app.arts-people.com/index.php?donation=rasa", + "donation_text": "Donate to SOTA's PTSA, which funds artists in residence on campus.", + "testimonial": "\"We have specialized departments ... So it's the perfect school for any aspiring artist.\"", + "testimonial_author": "Ava, Student", + "testimonial_video": "https://www.youtube.com/embed/gouN1t1GxE0?si=ovResdGqAYsklGlF", + "noteable_video": "https://www.youtube.com/embed/zXcnXNEvjoo?si=7-tJ7DywSRThJMw8", + "principal": "Stella Kim", + "instagram_url": "https://www.instagram.com/ruthasawasota/", + "facebook_url": "https://www.facebook.com/AsawaSOTA/", + "website_url": "https://www.sfusd.edu/school/ruth-asawa-san-francisco-school-arts" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 183, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 2, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 97, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/academy-of-arts-sciences/4393", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "ruth-asawa-san-francisco-school-arts.jpg" + }, + { + "name": "The Academy", + "address": "550 Portola Dr #250, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "theacademy.jpeg", + "latitude": "37.745499", + "longitude": "-122.451563", + "casid": "0119958", + "profile": { + "create": { + "about": "The Academy fosters one of the smallest school learning environments, where teachers can closely engage with students, hands-on administrators, and families for a stronger, supportive community.", + "about_bp": [ + "With a focus on individualized support, every Academy student receives college counseling through their four years with 2 full-time academic and dedicated college counselors.", + "They offer a range of extracurricular activities including academic tutoring, enrichment activities, and arts instruction in unique disciplines such as visual arts, modern rock band, photography, and theatre.", + "The Academy aims for a holistic educational experience with comprehensive athletics program and various student support services, including counseling and health and wellness resources.", + "Co-located with Ruth Asawa School of the Arts, on the first floor of the former McAteer Main Building." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1px5HE5JPNp5b5emzPVhadVDh6lRy2r_DWLbXxNvzNrA/edit", + "donation_url": "https://www.paypal.com/paypalme/AcademySFatMcateer?country_x=US&locale_x=en_US", + "donation_text": "Donate to the Academy's PTSA. Your donation is used to support teacher classroom needs, and student events like prom and field trips.", + "noteable_video": "https://drive.google.com/file/d/1GdVL6l4z1dCBDBfnwaRlIVvr9o_KxTLe/preview", + "principal": "Hollie Mack", + "instagram_url": "http://www.instagram.com/academywolvessf", + "facebook_url": "https://www.facebook.com/AcademyWolvesSF", + "website_url": "https://www.sfusd.edu/school/academy-san-francisco-mcateer" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 62, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 56, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 19, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 53, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 89, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/school-of-the-arts-high-school/99136", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "academy-san-francisco-mcateer.jpg" + }, + { + "name": "Thurgood Marshall High School", + "address": "45 Conkling St, San Francisco, CA", + "neighborhood": "Bayview", + "priority": true, + "img": "thurgood.jpeg", + "latitude": "37.73609", + "longitude": "-122.40211", + "casid": "3830403", + "profile": { + "create": { + "about": "Thurgood Marshall High School was founded in 1994, and is located in the southeastern part of San Francisco. The school offers:", + "about_bp": [ + "A refurbished and expanded College & Career Center, a fully staffed Wellness Center, a Peer Resources Program, and a daily after-school tutoring program", + "A special program for recent immigrants and newcomers.", + "Health, housing, immigration, financial support resources for families" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1TlrrJZZWcKXeZdAKuF2CQkAmTtRXTmGEe3NkRTFYBNE", + "donation_url": "https://thurgood-marshall-academic-high-school-pto.square.site/", + "donation_text": "Donate to Thurgood Marshall's PTSA", + "testimonial": "\u201cI liked this project because we got to practice English and the other person I was working with got to practice her Spanish.\u201d - Darlin on the \u201cEmpathy Project\u201d where native English speakers and English learners practice languages and learn from each other", + "testimonial_author": "Darlin", + "testimonial_video": "https://www.youtube.com/embed/nUIBNpi3VTA?si=2mdebQexdqQuB-Ke", + "noteable_video": "https://www.youtube.com/embed/NclnGjU3zJM?si=g9bnDzFsl3mvGRgM", + "principal": "Sarah Ballard-Hanson", + "instagram_url": "https://www.instagram.com/marshallphoenix/?hl=en", + "facebook_url": "https://www.facebook.com/groups/20606012934/", + "website_url": "https://www.sfusd.edu/school/thurgood-marshall-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 124, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 2, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 75, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/thurgood-marshall-academic-high-school/4394", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "thurgood-marshall-academic-high-school.png" + }, + { + "name": "Wallenberg High School", + "address": "40 Vega St, San Francisco, CA", + "neighborhood": "Western Addition", + "priority": false, + "img": "wallenberg.jpeg", + "latitude": "37.780365", + "longitude": "-122.44621", + "casid": "3830205", + "profile": { + "create": { + "about": "Founded in 1981, the Raoul Wallenberg Traditional High School (or \"Wallenberg\") honors the renowned Swedist diplomat, guided by personal responsibility, compassion, honesty, and integrity for equitable educational outcomes that enhance creativity, self-discipline, and citizenship.", + "about_bp": [ + "Wallenberg provides a rigorous educational program designed to prepare its diverse student body for success in college, careers, and life, including through diagnostic counseling, and college prep (including the AVID program).", + "Wallenberg has three future-focused pathways: Biotechnology, Computer Science (SIM - Socially Inclusive Media), and Environmental Science, Engineering, and Policy (ESEP)", + "Wallenberg focuses on close student-staff relations to foster a culture of support and service that encourages ongoing interaction, assessment, and feedback to promote high achievement and the joy of learning. Parents are actively encouraged to engage with the school community." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSdlALlSlZCTko4qBryLTunuIVcZGKmVeUl2MA-OPbnoOG15Lg/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=NX4GK2S6GQAWN", + "donation_text": "Donate to Wallenberg's PTSA. The PTSA aims to fund programs and events that benefit all Wallenberg students and teachers: building community, inclusion, and tolerance, sponsoring the Reflections Arts Program and Wallapalooza Art Festival, supporting technology and athletic programs, and honoring our teachers by providing them with stipends.", + "testimonial": "\"I really like my teachers because they always want you to perform at your best ... I feel like Wallenberg is a great school for students who want to be in a small community where everyone knows each other and where students and teachers have greater relationships\"", + "testimonial_author": "Ryan", + "testimonial_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=rEoQTInfas1UBk44", + "noteable_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=binBgRGAemfDKbzb", + "principal": "Tanya Harris", + "instagram_url": "https://www.instagram.com/wallenberghs/", + "facebook_url": "https://www.facebook.com/pages/Raoul-Wallenberg-Traditional-High-School/113129858701251", + "website_url": "https://www.sfusd.edu/school/raoul-wallenberg-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 130, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 49, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 42, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 92, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Campus Cleanup", + "details": "Help create a better environment for incoming and current Wallenberg students through cleaning up the gardens and picking up trash.", + "url": "https://www.wallenbergpta.org/blog/categories/volunteers-needed", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/raoul-wallenberg-trad-high-school/4389", + "category": "donate" + }, + { + "name": "Zelle to the email wallenbergptsa@gmail.com", + "details": "", + "url": "pay://zelle?recipient=wallenbergptsa@gmail.com", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "raoul-wallenberg-high-school.png" + }, + { + "name": "George Washington High School", + "address": "600 32nd Ave, San Francisco, CA", + "neighborhood": "Richmond", + "priority": false, + "img": "washington.jpeg", + "latitude": "37.77784", + "longitude": "-122.49174", + "casid": "3839081", + "profile": { + "create": { + "about": "Washington is one of the largest high schools in SFUSD, opened in 1936.", + "about_bp": [ + "Students can choose from more than 100 course offerings, with 52 sections of honors and AP classes.", + "Students can also choose from over 50 campus clubs and student groups and a full inter-scholastic athletic program, with 22 teams in 15 sports.", + "Washington has an active Richmond Neighborhood program, Wellness Center, Parent Teacher Student Association, and Alumni Association.", + "Washington offers a sweeping view of the Golden Gate Bridge from its athletic fields." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1nEVr6vgTdrHEWnmQvoMXWS6eDxRx20imWMNh7pBUT1Y/edit", + "donation_url": "https://www.gwhsptsa.com/donate", + "donation_text": "Donate to the the school's PTSA", + "testimonial": "\"I went from a 2.8 student to a 3.7 student because teachers believed in me and I in them. Washington was one of the best schools for academics, sports, and overall community.\"", + "principal": "John Schlauraff", + "instagram_url": "http://www.instagram.com/gwhsofficial", + "facebook_url": "https://www.facebook.com/profile.php?id=100067738675467", + "website_url": "https://www.sfusd.edu/school/george-washington-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 494, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 79, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 92, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/george-washington-high-school/4403#projects", + "category": "donate" + }, + { + "name": "GWHS Alumni Association", + "details": "", + "url": "https://givebutter.com/sfgwhsalumni", + "category": "donate" + }, + { + "name": "Richmond Neighborhood Center", + "details": "", + "url": "https://form-renderer-app.donorperfect.io/give/the-richmond-neighborhood-center/new-online-donation", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "george-washington-high-school.jpg" + }, + { + "casid": "6059828", + "name": "A.P. Giannini Middle School", + "address": "3151 Ortega St, San Francisco, CA 94122-4051, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.75113", + "longitude": "-122.49633", + "profile": { + "create": { + "about": "A.P. Giannini Middle School is a diverse and inclusive institution located in the SF Sunset district that emphasizes critical thinking, global consciousness, and social justice to prepare students to be impactful community members and successful professionals.", + "about_bp": [ + "Located in the culturally diverse SF Sunset district with over 50 years of educational excellence.", + "Focuses on student-centered, authentic learning experiences in a supportive and safe environment.", + "Offers a comprehensive curriculum designed to nurture intellectual, social, emotional, and physical development.", + "Commits to reducing demographic inequalities and fostering social justice and equity.", + "Provides extensive professional development for educators in pedagogy and curriculum planning." + ], + "principal": "Tai-Sun Schoeman", + "website_url": "https://www.sfusd.edu/school/ap-giannini-middle-school", + "donation_text": "Mail a check made out to A.P. Giannini Middle School and mail it to:\nA.P. Giannini Middle School\n3151 Ortega St, San Francisco, CA 94122-4051, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$JSRYAhGFt2o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1164, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 76, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 64, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 41, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "ap-giannini-middle-school.jpg", + "logo": "ap-giannini-middle-school.png" + }, + { + "casid": "6040695", + "name": "Alamo Elementary School", + "address": "250 23rd Ave, San Francisco, CA 94121-2009, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.78308", + "longitude": "-122.48258", + "profile": { + "create": { + "about": "Alamo Elementary School is a vibrant learning community dedicated to fostering academic excellence and personal growth through a rich blend of traditional and innovative educational programs.", + "about_bp": [ + "Strong tradition of high achievement and academic excellence.", + "Inclusive and equitable environment fostered through a comprehensive arts program.", + "Diverse after-school programs, including unique language enrichment and cultural activities.", + "Robust support services including mental health, social work, and speech pathology.", + "Comprehensive English literacy and STEAM program initiatives for enhanced learning." + ], + "principal": "Rosa A. Fong", + "website_url": "https://www.sfusd.edu/school/alamo-elementary-school", + "donation_text": "Mail a check made out to Alamo Elementary School and mail it to:\nAlamo Elementary School\n250 23rd Ave, San Francisco, CA 94121-2009, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Pgfa1PxBhTE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 195, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 68, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "alamo-elementary-school.jpg", + "logo": "alamo-elementary-school.png" + }, + { + "casid": "6113245", + "name": "Alice Fong Yu Alternative School (K-8)", + "address": "1541 12th Ave, San Francisco, CA 94122-3503, United States", + "neighborhood": "Inner Sunset", + "priority": false, + "latitude": "37.75896", + "longitude": "-122.46968", + "profile": { + "create": { + "about": "Alice Fong Yu Alternative School, the nation's first Chinese immersion public school, offers a unique K-8 Chinese language immersion program fostering bilingual skills and global perspectives.", + "about_bp": [ + "Nation's first Chinese immersion public school offering both Cantonese and Mandarin language programs.", + "Rigorous academic curriculum with emphasis on student leadership and environmental stewardship.", + "Comprehensive before and after school tutoring support tailored to student needs.", + "Enrichment activities including ceramic arts, creative movements, and an annual 8th-grade trip to China.", + "Weekly bilingual parent communication ensuring strong parent-school engagement." + ], + "principal": "Liana Szeto", + "website_url": "https://www.sfusd.edu/school/alice-fong-yu-alternative-school-k-8", + "donation_text": "Mail a check made out to Alice Fong Yu Alternative School (K-8) and mail it to:\nAlice Fong Yu Alternative School (K-8)\n1541 12th Ave, San Francisco, CA 94122-3503, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$waVxMsxcPL4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 390, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 82, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 76, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "alice-fong-yu-alternative-school-k-8.png", + "logo": "alice-fong-yu-alternative-school-k-8.png" + }, + { + "casid": "6040703", + "name": "Alvarado Elementary School", + "address": "625 Douglass St, San Francisco, CA 94114-3140, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.75375", + "longitude": "-122.43859", + "profile": { + "create": { + "about": "Alvarado School is a vibrant community-focused educational institution that fosters academic excellence and artistic expression while celebrating diversity and promoting social justice in a safe and engaging environment.", + "about_bp": [ + "Offers a unique Spanish-English Dual Immersion Program, supporting bilingual education.", + "Emphasizes social justice through its varied curriculum, promoting assemblies like Latino Pride and Women's History.", + "Provides a comprehensive arts program, integrating 2D/3D arts, instrumental music, and vocal performances into the curriculum.", + "Cultivates community through before and after school programs and cultural events involving parent volunteers.", + "Utilizes diverse teaching strategies to cater to various learning styles, ensuring engaging and accessible education for all students." + ], + "principal": "Michelle Sundby", + "website_url": "https://www.sfusd.edu/school/alvarado-elementary-school", + "donation_text": "Mail a check made out to Alvarado Elementary School and mail it to:\nAlvarado Elementary School\n625 Douglass St, San Francisco, CA 94114-3140, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$s93JyJQ4V0Y?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 240, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "alvarado-elementary-school.jpg", + "logo": "alvarado-elementary-school.jpg" + }, + { + "casid": "6062020", + "name": "Aptos Middle School", + "address": "105 Aptos Ave, San Francisco, CA 94127-2520, United States", + "neighborhood": "Mt Davidson Manor", + "priority": false, + "latitude": "37.72977", + "longitude": "-122.46626", + "profile": { + "create": { + "about": "Aptos Middle School is dedicated to providing an empowering educational experience focused on mastering Common Core standards, fostering 21st-century skills, and promoting social justice through its T.I.G.E.R. values.", + "about_bp": [ + "Committed to developing students' critical thinking skills and academic competency with a strong emphasis on 21st-century skills.", + "Promotes a culture of teamwork, integrity, grit, empathy, and responsibility known as T.I.G.E.R. values.", + "Offers a comprehensive set of afterschool programs including academic assistance, arts, recreation, and leadership development.", + "Provides specialized programs for students with special needs aligned with inclusive education practices.", + "Emphasizes college and career readiness with programs like AVID and STEAM." + ], + "principal": "Dimitric Roseboro", + "website_url": "https://www.sfusd.edu/school/aptos-middle-school", + "donation_text": "Mail a check made out to Aptos Middle School and mail it to:\nAptos Middle School\n105 Aptos Ave, San Francisco, CA 94127-2520, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$MyLpnXyKkGs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 859, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 50, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "aptos-middle-school.jpg" + }, + { + "casid": "6040737", + "name": "Argonne Elementary School - Extended Year", + "address": "680 18th Ave, San Francisco, CA 94121-3823, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.77539", + "longitude": "-122.47662", + "profile": { + "create": { + "about": "Argonne Elementary School fosters a dynamic learning environment, emphasizing critical and creative thinking with a strong focus on interdisciplinary teaching and project-based learning to prepare students for the 21st century.", + "about_bp": [ + "Emphasizes experiential, project-based learning to ignite passion in students and teachers.", + "Integrates technology and multi-sensory approaches in the curriculum.", + "Strong commitment to equal access and support for all children, acknowledging diverse backgrounds and needs.", + "Offers a variety of after-school programs including special focus on cultural and creative enrichment.", + "Provides comprehensive student support programs including social worker and speech pathologist services." + ], + "principal": "Rebecca Levison", + "website_url": "https://www.sfusd.edu/school/argonne-elementary-school-extended-year", + "donation_text": "Mail a check made out to Argonne Elementary School - Extended Year and mail it to:\nArgonne Elementary School - Extended Year\n680 18th Ave, San Francisco, CA 94121-3823, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 172, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 60, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 36, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "argonne-elementary-school-extended-year.jpeg", + "logo": "argonne-elementary-school-extended-year.png" + }, + { + "casid": "6040752", + "name": "Bessie Carmichael School PreK-8 Filipino Education Center", + "address": "375 7th St, San Francisco, CA 94103-4029, United States", + "neighborhood": "Soma", + "priority": false, + "latitude": "37.77609", + "longitude": "-122.40644", + "profile": { + "create": { + "about": "Bessie PK-8 is a vibrant school committed to antiracist education and equipping each student with a rigorous balance of social-emotional and academic learning, ensuring they are ready for high school, college, and beyond.", + "about_bp": [ + "Driven by the core values of being \"Linked through Love,\" promoting \"Literacy for Liberation,\" and fostering \"Lifelong Learning.\"", + "Strong community roots in SoMa with a rich history.", + "Offers a diverse range of before and after school programs, including Mission Graduates and United Playaz.", + "Comprehensive language programs, including a focus on Filipino through FLES.", + "Robust support services including college counseling, health and wellness center, and social-emotional learning assessments." + ], + "principal": "Rasheena Bell", + "website_url": "https://www.sfusd.edu/school/bessie-carmichael-school-prek-8-filipino-education-center", + "donation_text": "Mail a check made out to Bessie Carmichael School PreK-8 Filipino Education Center and mail it to:\nBessie Carmichael School PreK-8 Filipino Education Center\n375 7th St, San Francisco, CA 94103-4029, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$eZTMnOeak4o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 365, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 7, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "bessie-carmichael-school-prek-8-filipino-education-center.jpg", + "logo": "bessie-carmichael-school-prek-8-filipino-education-center.png" + }, + { + "casid": "6040760", + "name": "Bret Harte Elementary School", + "address": "1035 Gilman Ave, San Francisco, CA 94124-3710, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.71796", + "longitude": "-122.38895", + "profile": { + "create": { + "about": "Bret Harte School is dedicated to delivering high-quality instructional programs that foster individual talents in a diverse and supportive environment, ensuring students are equipped to become productive citizens.", + "about_bp": [ + "Offers a dynamic arts and enrichment curriculum that includes music, dance, visual and performing arts, as well as sports programs.", + "Promotes cultural diversity and equity with inclusive language and special education programs.", + "Features robust community partnerships to enhance student learning with organizations like the San Francisco Symphony and Bay Area Discovery Museum.", + "Provides extensive before and after school care programs, enriching activities, and academic support services.", + "Prioritizes parent involvement and professional accountability amongst staff to ensure student success." + ], + "principal": "Jeremy Hilinski", + "website_url": "https://www.sfusd.edu/school/bret-harte-elementary-school", + "donation_text": "Mail a check made out to Bret Harte Elementary School and mail it to:\nBret Harte Elementary School\n1035 Gilman Ave, San Francisco, CA 94124-3710, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$86GiEHW5tJY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 113, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 18, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 53, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "bret-harte-elementary-school.jpg", + "logo": "bret-harte-elementary-school.png" + }, + { + "casid": "6040778", + "name": "Bryant Elementary School", + "address": "2641 25th St, San Francisco, CA 94110-3514, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.7517", + "longitude": "-122.40495", + "profile": { + "create": { + "about": "Bryant Elementary School is a nurturing community school in San Francisco's Mission District, dedicated to fostering life-long learners and creative, socially responsible critical thinkers through high expectations and community engagement.", + "about_bp": [ + "Foster life-long learning with a focus on core values like curiosity, empathy, and self-confidence.", + "Offers both a Spanish biliteracy and English Plus pathway to enhance literacy and bilingual capabilities.", + "Provides extensive after-school programs with extracurricular activities such as music, dance, and sports.", + "Community partnership and involvement in active CARE and Mental Health Collaborative Teams for student support.", + "Inclusive environment featuring small group instruction and extensive student support services including mental health resources." + ], + "principal": "Gilberto Parada", + "website_url": "https://www.sfusd.edu/school/bryant-elementary-school", + "donation_text": "Mail a check made out to Bryant Elementary School and mail it to:\nBryant Elementary School\n2641 25th St, San Francisco, CA 94110-3514, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 122, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 6, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 63, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "bryant-elementary-school.jpg", + "logo": "bryant-elementary-school.jpg" + }, + { + "casid": "6062046", + "name": "Buena Vista Horace Mann K-8 Community School", + "address": "3351 23rd St, San Francisco, CA 94110-3031, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75357", + "longitude": "-122.42028", + "profile": { + "create": { + "about": "BVHM is a vibrant K-8 dual-language Spanish Immersion Community School located in the Mission District, dedicated to nurturing bilingual and multicultural students who excel academically, socially, and artistically.", + "about_bp": [ + "Offers a strong Spanish Dual Language Immersion program fostering bilingualism and cultural understanding.", + "Incorporates a visionary social justice perspective empowering students to become community change agents.", + "Features robust before and after school programs ensuring comprehensive student support.", + "Provides extensive academic enrichment opportunities including STEAM and arts programs.", + "Focuses on social-emotional learning to create a culturally responsive and supportive school climate." + ], + "principal": "Claudia Delarios-Moran", + "website_url": "https://www.sfusd.edu/school/buena-vista-horace-mann-k-8-community-school", + "donation_text": "Mail a check made out to Buena Vista Horace Mann K-8 Community School and mail it to:\nBuena Vista Horace Mann K-8 Community School\n3351 23rd St, San Francisco, CA 94110-3031, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$qE6EHDVV1yc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 402, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 52, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 71, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "buena-vista-horace-mann-k-8-community-school.jpg", + "logo": "buena-vista-horace-mann-k-8-community-school.jpg" + }, + { + "casid": "6041149", + "name": "C\u00e9sar Ch\u00e1vez Elementary School", + "address": "825 Shotwell St, San Francisco, CA 94110-3212, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75516", + "longitude": "-122.41531", + "profile": { + "create": { + "about": "C\u00e9sar Ch\u00e1vez Elementary School in the heart of the Mission District is devoted to empowering students through biliteracy, academic excellence, and a nurturing community atmosphere, all driven by a \u00a1s\u00ed se puede! philosophy.", + "about_bp": [ + "Focus on biliteracy with a comprehensive Spanish program from Kindergarten through 5th grade.", + "Strong commitment to diversity, excellence, and personal growth across academic and social domains.", + "Rich partnerships with community organizations like Boys and Girls Club, Mission Girls, and more.", + "Comprehensive arts enrichment including dance, visual arts, and music integrated within the curriculum.", + "Dedicated staff providing individualized support tailored to meet each student's unique needs." + ], + "principal": "Lindsay Dowdle", + "website_url": "https://www.sfusd.edu/school/cesar-chavez-elementary-school", + "donation_text": "Mail a check made out to C\u00e9sar Ch\u00e1vez Elementary School and mail it to:\nC\u00e9sar Ch\u00e1vez Elementary School\n825 Shotwell St, San Francisco, CA 94110-3212, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$nZXIwsOfQm4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 205, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 68, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "0120386", + "name": "Chinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821", + "address": "1250 Waller St, San Francisco, CA 94117-2919, United States", + "neighborhood": "Haight", + "priority": false, + "latitude": "37.76958", + "longitude": "-122.44428", + "profile": { + "create": { + "about": "The Chinese Immersion School at De Avila offers a dual language immersion program in Cantonese and English for grades K-5, fostering a nurturing environment that emphasizes the holistic development of students into globally responsible citizens.", + "about_bp": [ + "Dual language immersion in Cantonese and English for comprehensive language development.", + "Caring and nurturing environment focused on the whole child's development.", + "Award-winning arts programs with opportunities in ceramics, music, dance, and visual arts.", + "Robust support services including a dedicated resource specialist and English literacy intervention.", + "Extensive before and after school care offered through partnership with Buchanan YMCA." + ], + "principal": "Mia Yee", + "website_url": "https://www.sfusd.edu/school/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao", + "donation_text": "Mail a check made out to Chinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821 and mail it to:\nChinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821\n1250 Waller St, San Francisco, CA 94117-2919, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$DizmdHZUfrk?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 182, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 82, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg", + "logo": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png" + }, + { + "casid": "3830445", + "name": "Civic Center Secondary School", + "address": "727 Golden Gate Ave, San Francisco, CA 94102-3101, United States", + "neighborhood": "Civic Center", + "priority": false, + "latitude": "37.7803", + "longitude": "-122.42294", + "profile": { + "create": { + "about": "Civic Center Secondary School is a supportive community aimed at providing educational services for at-risk students in grades 7-12, fostering an inclusive, safe, and caring learning environment.", + "about_bp": [ + "Serves students assigned due to expulsion, juvenile probation, foster care, or behavioral interventions, breaking the pipeline to prison.", + "Focuses on creating a trauma-sensitive environment with small classroom cohorts and multi-disciplinary teaching teams.", + "Provides support for job readiness, substance use awareness, and individual case management with community partners.", + "Promotes educational success by fostering a caring and inclusive environment that addresses the needs of underrepresented students." + ], + "principal": "Angelina Gonzalez", + "website_url": "https://www.sfusd.edu/school/civic-center-secondary-school", + "donation_text": "Mail a check made out to Civic Center Secondary School and mail it to:\nCivic Center Secondary School\n727 Golden Gate Ave, San Francisco, CA 94102-3101, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 38, + "unit": "", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 39, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 81, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "logo": "civic-center-secondary-school.png" + }, + { + "casid": "6102479", + "name": "Claire Lilienthal Alternative School (K-2 Madison Campus)", + "address": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "neighborhood": "Presidio Heights", + "priority": false, + "latitude": "37.78697", + "longitude": "-122.45779", + "profile": { + "create": { + "about": "Claire Lilienthal is a California Distinguished School committed to fostering academic excellence, cultural diversity, and social inclusion while nurturing each student's potential.", + "about_bp": [ + "Dedicated to equity, academic excellence, and strong parent partnerships.", + "Offers comprehensive programs like Readers and Writers Workshop, Project-Based Learning, and Social-Emotional Learning.", + "Unique Korean Dual Language Immersion Program, the only one in Northern California.", + "Extensive arts integration in collaboration with SFArtsEd to deliver a rich arts education.", + "Outdoor Education trips and a flourishing garden program enrich students' learning experiences." + ], + "principal": "Molly Pope", + "website_url": "https://www.sfusd.edu/school/claire-lilienthal-alternative-school-k-2-madison-campus", + "donation_text": "Mail a check made out to Claire Lilienthal Alternative School (K-2 Madison Campus) and mail it to:\nClaire Lilienthal Alternative School (K-2 Madison Campus)\n3950 Sacramento St, San Francisco, CA 94118-1628, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 415, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 25, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "claire-lilienthal-alternative-school-k-2-madison-campus.png", + "logo": "claire-lilienthal-alternative-school-k-8.jpg" + }, + { + "casid": "6040828", + "name": "Clarendon Alternative Elementary School", + "address": "500 Clarendon Ave, San Francisco, CA 94131-1113, United States", + "neighborhood": "Forest Knolls", + "priority": false, + "latitude": "37.75354", + "longitude": "-122.45611", + "profile": { + "create": { + "about": "Clarendon is dedicated to fostering high-achieving and joyful learners through its diverse educational programs and strong community involvement.", + "about_bp": [ + "High level of parent participation enhancing the school community.", + "Comprehensive enrichment programs including fine arts, music, computer, and physical education.", + "Strong emphasis on respect and responsibility throughout the school.", + "Safe and secure environment welcoming all families as partners in education.", + "Engagement in thematic lessons promoting critical thinking and interaction." + ], + "principal": "Carrie Maloney", + "website_url": "https://www.sfusd.edu/school/clarendon-alternative-elementary-school", + "donation_text": "Mail a check made out to Clarendon Alternative Elementary School and mail it to:\nClarendon Alternative Elementary School\n500 Clarendon Ave, San Francisco, CA 94131-1113, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$m_91VeRgsQM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 259, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 77, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 39, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "clarendon-alternative-elementary-school.jpg" + }, + { + "casid": "6040836", + "name": "Cleveland Elementary School", + "address": "455 Athens St, San Francisco, CA 94112-2801, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.72062", + "longitude": "-122.42896", + "profile": { + "create": { + "about": "Located in the vibrant Excelsior District of San Francisco, Cleveland School is dedicated to fostering an inclusive and collaborative learning environment that empowers students to become active, respectful, and responsible citizens.", + "about_bp": [ + "Rich language programs including a Spanish Bilingual Program enhancing biliteracy.", + "Committed to differentiated instruction to cater to diverse learning needs.", + "Strong community collaboration with involvement in school decision-making and event planning.", + "A variety of cultural celebrations that promote inclusivity and community bonding.", + "Comprehensive after-school programs that provide enrichment and support." + ], + "principal": "Marlon Escobar", + "website_url": "https://www.sfusd.edu/school/cleveland-elementary-school", + "donation_text": "Mail a check made out to Cleveland Elementary School and mail it to:\nCleveland Elementary School\n455 Athens St, San Francisco, CA 94112-2801, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$E4ZkMxI6Xb0?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 170, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 72, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "cleveland-elementary-school.jpg", + "logo": "cleveland-elementary-school.png" + }, + { + "casid": "6040851", + "name": "Commodore Sloat Elementary School", + "address": "50 Darien Way, San Francisco, CA 94127-1902, United States", + "neighborhood": "Balboa Terrace", + "priority": false, + "latitude": "37.73173", + "longitude": "-122.47093", + "profile": { + "create": { + "about": "Commodore Sloat School is a high-performing institution committed to developing creative and critical thinkers who excel academically and thrive in a rapidly-changing world.", + "about_bp": [ + "Experienced staff dedicated to fostering higher levels of academic performance and critical thinking.", + "Comprehensive curriculum that integrates arts, music, and gardening to enhance learning and retention.", + "Focus on teaching ethical decision-making, evidence-based conclusions, and civic engagement.", + "Robust array of after-school programs provided by the YMCA, ensuring a supportive environment beyond school hours.", + "Commitment to nurturing 21st-century critical thinkers with a focus on social-emotional learning and school community involvement." + ], + "principal": "Fowzigiah Abdolcader", + "website_url": "https://www.sfusd.edu/school/commodore-sloat-elementary-school", + "donation_text": "Mail a check made out to Commodore Sloat Elementary School and mail it to:\nCommodore Sloat Elementary School\n50 Darien Way, San Francisco, CA 94127-1902, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$_OF_YsVLn0g?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 196, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 68, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 50, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "commodore-sloat-elementary-school.jpg", + "logo": "commodore-sloat-elementary-school.png" + }, + { + "casid": "6040893", + "name": "Daniel Webster Elementary School", + "address": "465 Missouri St, San Francisco, CA 94107-2826, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.76052", + "longitude": "-122.39584", + "profile": { + "create": { + "about": "Daniel Webster Elementary School is a vibrant and diverse community dedicated to fostering a multicultural environment and equitable education through both General Education and Spanish Dual-Immersion programs, aiming to involve families and the community in holistic student development.", + "about_bp": [ + "Small, intimate school with a focus on multicultural inclusivity and equity.", + "Offers both General Education and Spanish Dual-Immersion strands.", + "Strong parent involvement and community-led initiatives enhance educational programs.", + "Comprehensive arts integration across curriculum, including visual arts, music, dance, and theater.", + "Commitment to students' social-emotional development with programs like RTI, PBIS, and Restorative Practices." + ], + "principal": "Anita Parameswaran", + "website_url": "https://www.sfusd.edu/school/daniel-webster-elementary-school", + "donation_text": "Mail a check made out to Daniel Webster Elementary School and mail it to:\nDaniel Webster Elementary School\n465 Missouri St, San Francisco, CA 94107-2826, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$hUrEWxGxJdw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 167, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 53, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 42, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "daniel-webster-elementary-school.png", + "logo": "daniel-webster-elementary-school.png" + }, + { + "casid": "0111427", + "name": "Dianne Feinstein Elementary School", + "address": "2550 25th Ave, San Francisco, CA 94116-2901, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.73962", + "longitude": "-122.48176", + "profile": { + "create": { + "about": "Dianne Feinstein School is dedicated to fostering a dynamic learning environment, empowering students through a well-rounded education that encourages independence and community interaction, grounded in integrity and respect.", + "about_bp": [ + "Dynamic, well-rounded education for all students.", + "Strong focus on community involvement and open communication.", + "A variety of cultural and enrichment programs including UMOJA cultural celebrations.", + "Partnership with Lincoln High School Teacher Academy for volunteer support.", + "Comprehensive support services including health and wellness center and on-site social worker." + ], + "principal": "Christina Jung", + "website_url": "https://www.sfusd.edu/school/dianne-feinstein-elementary-school", + "donation_text": "Mail a check made out to Dianne Feinstein Elementary School and mail it to:\nDianne Feinstein Elementary School\n2550 25th Ave, San Francisco, CA 94116-2901, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 181, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 52, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "dianne-feinstein-elementary-school.jpg", + "logo": "dianne-feinstein-elementary-school.jpeg" + }, + { + "casid": "6040984", + "name": "Dolores Huerta Elementary School", + "address": "65 Chenery St, San Francisco, CA 94131-2706, United States", + "neighborhood": "Glen Park", + "priority": false, + "latitude": "37.74045", + "longitude": "-122.42501", + "profile": { + "create": { + "about": "Dolores Huerta Elementary is dedicated to fostering high academic standards within a culturally rich environment that celebrates bilingualism and multiculturalism, preparing students to thrive in a global society.", + "about_bp": [ + "Collaborative educators delivering a rigorous, standards-based curriculum.", + "Commitment to social justice and equity, providing tailored support to all students.", + "Emphasis on bilingualism and multiculturalism as essential 21st-century skills.", + "Comprehensive extracurricular activities enhancing adventurous learning.", + "Strong partnership with Mission YMCA offering extended learning and enrichment." + ], + "principal": "Edward Garnica", + "website_url": "https://www.sfusd.edu/school/dolores-huerta-elementary-school", + "donation_text": "Mail a check made out to Dolores Huerta Elementary School and mail it to:\nDolores Huerta Elementary School\n65 Chenery St, San Francisco, CA 94131-2706, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Uvxq4VpbGeE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 185, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 33, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 36, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "dolores-huerta-elementary-school.jpg" + }, + { + "casid": "6104673", + "name": "Dr. Charles R. Drew College Preparatory Academy", + "address": "50 Pomona St, San Francisco, CA 94124-2344, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.73175", + "longitude": "-122.39367", + "profile": { + "create": { + "about": "Dr. Charles R. Drew College Preparatory Academy nurtures student potential through a dedicated staff and a focus on creativity, social, and emotional development, ensuring a vibrant learning environment.", + "about_bp": [ + "Committed to academic and personal development of every student.", + "Staff has over 100 years of collective teaching experience.", + "Offers a range of enrichment and support programs.", + "All teachers meet California's 'Highly Qualified' criteria.", + "Provides annual accountability and climate reports in multiple languages." + ], + "principal": "Vidrale Franklin", + "website_url": "https://www.sfusd.edu/school/dr-charles-r-drew-college-preparatory-academy", + "donation_text": "Mail a check made out to Dr. Charles R. Drew College Preparatory Academy and mail it to:\nDr. Charles R. Drew College Preparatory Academy\n50 Pomona St, San Francisco, CA 94124-2344, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uJoPgrg2fqI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 63, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 3, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 78, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-charles-r-drew-college-preparatory-academy.jpg", + "logo": "dr-charles-r-drew-college-preparatory-academy.png" + }, + { + "casid": "6093496", + "name": "Dr. George Washington Carver Elementary School", + "address": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.7319", + "longitude": "-122.38563", + "profile": { + "create": { + "about": "Carver Elementary School is a dedicated learning institution in the Bayview-Hunter's Point community, committed to providing personalized and rigorous education centered on literacy to develop future readers, leaders, and scholars.", + "about_bp": [ + "Compassionate and dedicated staff committed to each student's academic and personal success.", + "Offers a variety of enrichment opportunities, including hands-on science and creative arts programs.", + "Strong focus on literacy as a foundation for rigorous education and leadership development.", + "Partnership with the Boys & Girls Clubs to offer a comprehensive after-school program.", + "Award-winning school with a history of maintaining high standards of excellence." + ], + "principal": "Makaela Manning", + "website_url": "https://www.sfusd.edu/school/dr-george-washington-carver-elementary-school", + "donation_text": "Mail a check made out to Dr. George Washington Carver Elementary School and mail it to:\nDr. George Washington Carver Elementary School\n1360 Oakdale Ave, San Francisco, CA 94124-2724, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$jMgVeF3qckc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 48, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 13, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 6, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 91, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-george-washington-carver-elementary-school.jpg", + "logo": "dr-george-washington-carver-elementary-school.png" + }, + { + "casid": "6059885", + "name": "Dr. Martin Luther King, Jr. Academic Middle School", + "address": "350 Girard St, San Francisco, CA 94134-1469, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72777", + "longitude": "-122.40549", + "profile": { + "create": { + "about": "Dr. Martin Luther King, Jr. Academic Middle School fosters a diverse and inclusive learning environment, emphasizing scholarship, leadership, and entrepreneurship to cultivate lifelong learners.", + "about_bp": [ + "Diverse and multicultural school environment attracting students from across San Francisco.", + "Equitable access to meaningful and relevant curriculum for all students.", + "Focus on developing scholarship, sportsmanship, mentorship, leadership, and entrepreneurship.", + "Comprehensive support programs including advisory, counseling, and college guidance.", + "Rich arts and athletics programs promoting holistic development of students." + ], + "principal": "Tyson Fechter", + "website_url": "https://www.sfusd.edu/school/dr-martin-luther-king-jr-academic-middle-school", + "donation_text": "Mail a check made out to Dr. Martin Luther King, Jr. Academic Middle School and mail it to:\nDr. Martin Luther King, Jr. Academic Middle School\n350 Girard St, San Francisco, CA 94134-1469, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 364, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 21, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-martin-luther-king-jr-academic-middle-school.jpg", + "logo": "dr-martin-luther-king-jr-academic-middle-school.jpg" + }, + { + "casid": "6040968", + "name": "Dr. William L. Cobb Elementary School", + "address": "2725 California St, San Francisco, CA 94115-2513, United States", + "neighborhood": "Lower Pacific Heights", + "priority": false, + "latitude": "37.78803", + "longitude": "-122.43952", + "profile": { + "create": { + "about": "Dr. William L. Cobb Elementary School is a historic institution in San Francisco's Lower Pacific Heights, celebrated for its commitment to fostering each child's potential within a nurturing, inclusive, and creative community.", + "about_bp": [ + "Small class sizes ensure personalized attention for every student.", + "State-of-the-art technology and a renovated facility enhance the learning experience.", + "Vibrant arts programs including music, drama, and visual arts allow students to explore their creativity.", + "Strong partnerships with community organizations offer students diverse extracurricular opportunities.", + "Focus on culturally sensitive pedagogy and critical-thinking skills through collaborative projects." + ], + "principal": "Jeri Dean", + "website_url": "https://www.sfusd.edu/school/dr-william-l-cobb-elementary-school", + "donation_text": "Mail a check made out to Dr. William L. Cobb Elementary School and mail it to:\nDr. William L. Cobb Elementary School\n2725 California St, San Francisco, CA 94115-2513, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$P6PeigH6-60?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 54, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 83, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-william-l-cobb-elementary-school.jpg", + "logo": "dr-william-l-cobb-elementary-school.png" + }, + { + "casid": "6040943", + "name": "E.R. Taylor Elementary School", + "address": "423 Burrows St, San Francisco, CA 94134-1449, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72783", + "longitude": "-122.40733", + "profile": { + "create": { + "about": "E.R. Taylor Elementary is a nurturing PK-5th grade school in San Francisco's Garden District, committed to fostering academic excellence and personal growth with a strong emphasis on preparing students to be college-ready.", + "about_bp": [ + "Located in San Francisco's vibrant Garden District, offering a supportive and community-focused learning environment.", + "Emphasizes a comprehensive curriculum aligned with SFUSD Common Core standards and innovative instructional practices.", + "Offers three language pathways: English Plus, Spanish Biliteracy, and Cantonese Biliteracy to support diverse language learners.", + "Provides extensive after-school programs and extracurricular activities, including arts, music, and sports, in collaboration with Bay Area Community Resources.", + "Focuses on social-emotional development through programs like Second Step and Positive Interventions Behavior Support (PBIS)." + ], + "principal": "David Norris", + "website_url": "https://www.sfusd.edu/school/er-taylor-elementary-school", + "donation_text": "Mail a check made out to E.R. Taylor Elementary School and mail it to:\nE.R. Taylor Elementary School\n423 Burrows St, San Francisco, CA 94134-1449, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Ue7KfQRu6AA?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 297, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 45, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 42, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 88, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "er-taylor-elementary-school.jpeg", + "logo": "er-taylor-elementary-school.png" + }, + { + "casid": "6089569", + "name": "Edwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821", + "address": "950 Clay St, San Francisco, CA 94108-1521, United States", + "neighborhood": "Chinatown", + "priority": false, + "latitude": "37.79442", + "longitude": "-122.40879", + "profile": { + "create": { + "about": "Edwin and Anita Lee Newcomer School offers a unique one-year transitional program for newly-arrived, Chinese-speaking immigrant students, focusing on foundational English skills and social-emotional learning to bridge cultural and educational gaps.", + "about_bp": [ + "Specialized in helping Chinese-speaking immigrant students transition into the American educational system.", + "Comprehensive focus on developing English language skills, including reading, writing, and oral communication.", + "Emphasizes social-emotional learning to support students' adjustment and growth mindset.", + "Provides robust family support programs to help parents assist their children's transition.", + "Features an arts-enriched curriculum with performing and visual arts classes for all students." + ], + "principal": "Lisa Kwong", + "website_url": "https://www.sfusd.edu/school/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao", + "donation_text": "Mail a check made out to Edwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821 and mail it to:\nEdwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821\n950 Clay St, San Francisco, CA 94108-1521, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ABLV35fxMIw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg", + "logo": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg" + }, + { + "casid": "6040950", + "name": "El Dorado Elementary School", + "address": "70 Delta St, San Francisco, CA 94134-2145, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.71862", + "longitude": "-122.40715", + "profile": { + "create": { + "about": "El Dorado is a vibrant school committed to fostering a diverse educational environment where teachers, staff, and parents collaborate to nurture the academic and social growth of every student.", + "about_bp": [ + "Focus on teaching the whole child through a balanced approach to literacy and innovative instructional practices.", + "Exceptional extended learning opportunities in visual and performing arts, science, and outdoor education.", + "Dedicated support services including special education, health and wellness centers, and student mentoring.", + "Engaging monthly school-wide events such as Literacy Night, Math Night, and Cultural Assemblies.", + "Comprehensive school achievement planning with a strong emphasis on social-emotional learning." + ], + "principal": "Danielle Cordova-Camou", + "website_url": "https://www.sfusd.edu/school/el-dorado-elementary-school", + "donation_text": "Mail a check made out to El Dorado Elementary School and mail it to:\nEl Dorado Elementary School\n70 Delta St, San Francisco, CA 94134-2145, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$nWDBQZktp08?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 51, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 81, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "el-dorado-elementary-school.png", + "logo": "el-dorado-elementary-school.png" + }, + { + "casid": "6062038", + "name": "Everett Middle School", + "address": "450 Church St, San Francisco, CA 94114-1721, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.76369", + "longitude": "-122.42886", + "profile": { + "create": { + "about": "Everett Middle School, located at the intersection of the Castro and Mission districts, is a diverse and inclusive school dedicated to empowering students to become world-changers through a supportive environment and comprehensive educational programs.", + "about_bp": [ + "Diverse and inclusive environment catering to a wide range of student needs, including special education and English learners.", + "Unique Spanish Immersion program integrated with general education for a holistic learning experience.", + "Extensive after-school program providing academic support and enrichment activities such as art, sports, and technology.", + "Rotating block schedule offering in-depth courses and socio-emotional learning through daily homerooms.", + "Committed to building strong academic identities with standards-based grading and small group interventions." + ], + "principal": "Heidi Avelina Smith", + "website_url": "https://www.sfusd.edu/school/everett-middle-school", + "donation_text": "Mail a check made out to Everett Middle School and mail it to:\nEverett Middle School\n450 Church St, San Francisco, CA 94114-1721, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$0ibm_950jXQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 508, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 9, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 54, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 70, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "everett-middle-school.jpg", + "logo": "everett-middle-school.jpg" + }, + { + "casid": "6041008", + "name": "Francis Scott Key Elementary School", + "address": "1530 43rd Ave, San Francisco, CA 94122-2925, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.7581", + "longitude": "-122.502", + "profile": { + "create": { + "about": "Francis Scott Key Elementary School offers a supportive and challenging learning environment in an art deco style building, promoting respect, diversity, and holistic education with a focus on 21st-century skills through STEAM education.", + "about_bp": [ + "Founded in 1903 and housed in a historic art deco building renovated in 2012, ensuring full ADA compliance.", + "Offers a vibrant afterschool program with academic support and extracurricular activities like language classes in Mandarin and Spanish, science and art programs.", + "Emphasizes a student-centered approach with high expectations, fostering a collaborative, diverse, and supportive learning community.", + "Provides specialized education programs for students with special needs and integrated STEAM-focused learning.", + "Engages with the community through the Shared School Yard program, allowing public use of facilities on weekends." + ], + "principal": "Cynthia Lam", + "website_url": "https://www.sfusd.edu/school/francis-scott-key-elementary-school", + "donation_text": "Mail a check made out to Francis Scott Key Elementary School and mail it to:\nFrancis Scott Key Elementary School\n1530 43rd Ave, San Francisco, CA 94122-2925, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$GI2PfJ2PQAs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 271, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 71, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 32, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "francis-scott-key-elementary-school.jpg", + "logo": "francis-scott-key-elementary-school.png" + }, + { + "casid": "6059844", + "name": "Francisco Middle School", + "address": "2190 Powell St, San Francisco, CA 94133-1949, United States", + "neighborhood": "North Beach", + "priority": false, + "latitude": "37.8047", + "longitude": "-122.41159", + "profile": { + "create": { + "about": "Francisco Middle School, nestled within the culturally rich Chinatown-North Beach area, excels in providing a purposeful educational experience tailored to meet the needs of a diverse community of learners.", + "about_bp": [ + "Located in the vibrant Chinatown-North Beach community, fostering a rich cultural experience.", + "Focuses on the joy of learning and individual student growth through personal relationships.", + "Equipped with a network-ready computer lab and technology resources in every classroom.", + "Offers a comprehensive range of programs from language to special education, ensuring inclusivity.", + "Promotes continuous improvement and resilience as key elements of student development." + ], + "principal": "Sang-Yeon Lee", + "website_url": "https://www.sfusd.edu/school/francisco-middle-school", + "donation_text": "Mail a check made out to Francisco Middle School and mail it to:\nFrancisco Middle School\n2190 Powell St, San Francisco, CA 94133-1949, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rd_iXhZV68k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 524, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 32, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "francisco-middle-school.jpg", + "logo": "francisco-middle-school.jpg" + }, + { + "casid": "6041016", + "name": "Frank McCoppin Elementary School", + "address": "651 6th Ave, San Francisco, CA 94118-3804, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.77629", + "longitude": "-122.46421", + "profile": { + "create": { + "about": "Nestled near the iconic Golden Gate Park, McCoppin Elementary School is a distinguished institution committed to nurturing academic excellence and fostering an inclusive and equitable learning environment for all its students.", + "about_bp": [ + "Renowned for its individualized teaching approach, supported by a diverse team of specialists including a speech clinician and school psychologist.", + "Led by Principal Bennett Lee, a visionary leader since 2001, dedicated to progressive education and continuous positive change.", + "Showcases modern facilities including recently renovated classrooms, a multipurpose area, and a vibrant community mural.", + "Offers a comprehensive suite of before and after school programs, featuring Mandarin and Spanish classes as well as sports activities.", + "Promotes a rich array of enrichment programs during school hours, from arts and music to outdoor education and performing arts." + ], + "principal": "Bennett Lee", + "website_url": "https://www.sfusd.edu/mccoppin", + "donation_text": "Mail a check made out to Frank McCoppin Elementary School and mail it to:\nFrank McCoppin Elementary School\n651 6th Ave, San Francisco, CA 94118-3804, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$1I5dpskYhK8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 106, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 41, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "mccoppin.jpg", + "logo": "mccoppin.png" + }, + { + "casid": "6041040", + "name": "Garfield Elementary School", + "address": "420 Filbert St, San Francisco, CA 94133-3002, United States", + "neighborhood": "Telegraph Hill", + "priority": false, + "latitude": "37.80189", + "longitude": "-122.40663", + "profile": { + "create": { + "about": "Garfield School is dedicated to fostering positive self-esteem and lifelong learning, ensuring students achieve personal and academic success while nurturing a sense of personal and civic responsibility.", + "about_bp": [ + "Equity-focused education that meets each student's needs and supports success at all levels.", + "A nurturing environment promoting social justice and respect for diverse perspectives.", + "Engaging teaching methods using games, songs, and projects to make learning enjoyable.", + "Strong community involvement through school-wide events and performances.", + "Effective communication with families through newsletters and weekly meetings." + ], + "principal": "Karen Maruoka", + "website_url": "https://www.sfusd.edu/school/garfield-elementary-school", + "donation_text": "Mail a check made out to Garfield Elementary School and mail it to:\nGarfield Elementary School\n420 Filbert St, San Francisco, CA 94133-3002, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$JNqzP6YEZVM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 85, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 31, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 55, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "6041065", + "name": "George Peabody Elementary School", + "address": "251 6th Ave, San Francisco, CA 94118-2311, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.78393", + "longitude": "-122.46479", + "profile": { + "create": { + "about": "George Peabody is a nurturing and academically rigorous elementary school in San Francisco, designed to provide students with foundational skills and lifelong learning enthusiasm in a supportive and community-oriented environment.", + "about_bp": [ + "Located in the heart of San Francisco's Inner Richmond, George Peabody offers a safe, family-feel environment for all students.", + "The school provides a comprehensive education program that includes social-emotional learning, physical education, arts and after-school enrichment.", + "Students benefit from unique programs like the Kimochis SEL curriculum and PeabodyOutside, which focuses on outdoor learning experiences.", + "A variety of after-school programs available through partnerships with local organizations and the PTA enhance student engagement and learning.", + "Strong community connections are fostered through regular events and collaborations with the PTA and Student Council." + ], + "principal": "Willem Vroegh", + "website_url": "https://www.sfusd.edu/school/george-peabody-elementary-school", + "donation_text": "Mail a check made out to George Peabody Elementary School and mail it to:\nGeorge Peabody Elementary School\n251 6th Ave, San Francisco, CA 94118-2311, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rD7AP_Uklk8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 129, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 78, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 21, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "george-peabody-elementary-school.jpg", + "logo": "george-peabody-elementary-school.jpg" + }, + { + "casid": "6099154", + "name": "George R. Moscone Elementary School", + "address": "2576 Harrison St, San Francisco, CA 94110-2720, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75639", + "longitude": "-122.41246", + "profile": { + "create": { + "about": "George R. Moscone Elementary School, situated in the vibrant Mission District, fosters a multicultural environment where a committed faculty and diverse student body collaborate to achieve excellence in academic, social, and emotional development.", + "about_bp": [ + "Multicultural environment with a focus on cultural and linguistic diversity.", + "Daily opportunities for student engagement through music, movement, and project-based learning.", + "Strong communication with families supported by translations in English, Chinese, and Spanish.", + "Robust after-school programs including partnerships with community organizations.", + "Comprehensive support services including a family liaison, mentoring, and specialized academic interventions." + ], + "principal": "Sarah Twiest", + "website_url": "https://www.sfusd.edu/school/george-r-moscone-elementary-school", + "donation_text": "Mail a check made out to George R. Moscone Elementary School and mail it to:\nGeorge R. Moscone Elementary School\n2576 Harrison St, San Francisco, CA 94110-2720, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$9ojTQ422jRY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 186, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 33, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 49, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 85, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "george-r-moscone-elementary-school.jpeg", + "logo": "george-r-moscone-elementary-school.png" + }, + { + "casid": "6041073", + "name": "Glen Park Elementary School", + "address": "151 Lippard Ave, San Francisco, CA 94131-3249, United States", + "neighborhood": "Glen Park", + "priority": false, + "latitude": "37.73311", + "longitude": "-122.43563", + "profile": { + "create": { + "about": "The Glen Park School is a vibrant and inclusive community focused on fostering social justice, high achievement, and emotional growth for all its students.", + "about_bp": [ + "Committed to providing equitable access to learning opportunities and valuing all voices within the community.", + "Offers a restorative approach to problem-solving and conflict resolution across the school community.", + "Regularly showcases academic and artistic work, allowing students to bask in the satisfaction of their accomplishments.", + "Provides comprehensive literacy support in both English and Spanish along with access to a Wellness Center and a full-time librarian.", + "Employs thematic teaching methods by integrating the Teachers College Reading and Writing Workshop model across grade levels." + ], + "principal": "Liz Zarr", + "website_url": "https://www.sfusd.edu/school/glen-park-elementary-school", + "donation_text": "Mail a check made out to Glen Park Elementary School and mail it to:\nGlen Park Elementary School\n151 Lippard Ave, San Francisco, CA 94131-3249, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Gn04EKca7-U?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 147, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 36, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 67, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "glen-park-elementary-school.jpg", + "logo": "glen-park-elementary-school.jpg" + }, + { + "casid": "6040877", + "name": "Gordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78", + "address": "950 Clay St, San Francisco, CA 94108-1521, United States", + "neighborhood": "Chinatown", + "priority": false, + "latitude": "37.79442", + "longitude": "-122.40879", + "profile": { + "create": { + "about": "Gordon J. Lau Elementary School excels in providing a comprehensive, culturally inclusive education in the heart of Chinatown, committed to student success and community service.", + "about_bp": [ + "Located in the vibrant Chinatown community, welcoming newcomers and English Learner families.", + "Offers a standards-aligned curriculum designed to prepare students for middle school and beyond.", + "Staff are multilingual and experienced, ensuring effective communication and low turnover.", + "Extensive support services including a full-time team addressing diverse student needs.", + "Robust before and after school programs, as well as language and arts enrichment programs." + ], + "principal": "Gloria Choy", + "website_url": "https://www.sfusd.edu/school/gordon-j-lau-elementary-school", + "donation_text": "Mail a check made out to Gordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78 and mail it to:\nGordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78\n950 Clay St, San Francisco, CA 94108-1521, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$6YjG4gH1xrg?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 333, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 35, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 95, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "gordon-j-lau-elementary-school.jpeg", + "logo": "gordon-j-lau-elementary-school.png" + }, + { + "casid": "6041115", + "name": "Grattan Elementary School", + "address": "165 Grattan St, San Francisco, CA 94117-4208, United States", + "neighborhood": "Cole Valley", + "priority": false, + "latitude": "37.76377", + "longitude": "-122.45047", + "profile": { + "create": { + "about": "Grattan School is a nurturing and dynamic educational community dedicated to fostering curiosity, diversity, and individual growth through a balanced and affective academic program.", + "about_bp": [ + "Emphasizes small class sizes to ensure personalized attention and a safe learning environment.", + "Encourages a holistic educational approach that integrates arts, outdoor learning, and real-world skills.", + "Values strong connections between home and school to support student development and community involvement.", + "Promotes innovative assessment methods like portfolios and oral exams to capture authentic student progress.", + "Commits to inclusivity and diversity, celebrating each student's unique talents and differences." + ], + "principal": "Catherine Walter", + "website_url": "https://www.sfusd.edu/school/grattan-elementary-school", + "donation_text": "Mail a check made out to Grattan Elementary School and mail it to:\nGrattan Elementary School\n165 Grattan St, San Francisco, CA 94117-4208, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$WEWTHNVmRgY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 186, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 17, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "grattan-elementary-school.jpg", + "logo": "grattan-elementary-school.jpg" + }, + { + "casid": "6041123", + "name": "Guadalupe Elementary School", + "address": "859 Prague St, San Francisco, CA 94112-4516, United States", + "neighborhood": "Crocker Amazon", + "priority": false, + "latitude": "37.71021", + "longitude": "-122.4347", + "profile": { + "create": { + "about": "Guadalupe Elementary School is a vibrant and inclusive learning community dedicated to embracing diversity and providing a well-rounded education that nurtures both academic excellence and personal growth.", + "about_bp": [ + "Celebrates a diverse and inclusive school community.", + "Focuses on holistic child education, including social-emotional skills and physical well-being.", + "Offers a range of academic programs and extracurricular activities.", + "Provides robust technology, arts, and sports programs.", + "Engages families and communities in the educational journey." + ], + "principal": "Dr. Raj Sharma", + "website_url": "https://www.sfusd.edu/school/guadalupe-elementary-school", + "donation_text": "Mail a check made out to Guadalupe Elementary School and mail it to:\nGuadalupe Elementary School\n859 Prague St, San Francisco, CA 94112-4516, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$8fMQeQJ_IGE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 134, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 24, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 52, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "guadalupe-elementary-school.jpeg", + "logo": "guadalupe-elementary-school.png" + }, + { + "casid": "6040919", + "name": "Harvey Milk Civil Rights Academy", + "address": "4235 19th St, San Francisco, CA 94114-2415, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.75892", + "longitude": "-122.43647", + "profile": { + "create": { + "about": "Harvey Milk Civil Rights Academy (HMCRA) is a vibrant public school in Castro, dedicated to developing well-rounded individuals through a student-centered curriculum that emphasizes literacy, science, arts, and social activism.", + "about_bp": [ + "Emphasizes literacy and STEM through hands-on, inquiry-based learning.", + "Promotes global awareness and student activism through a robust social studies curriculum.", + "Offers a diverse range of arts programs including visual, performing, and instrumental music.", + "Provides comprehensive before and after school programs to support all students.", + "Advocates a strong parent and staff involvement in decision-making processes." + ], + "principal": "Charles Glover", + "website_url": "https://www.sfusd.edu/school/harvey-milk-civil-rights-academy", + "donation_text": "Mail a check made out to Harvey Milk Civil Rights Academy and mail it to:\nHarvey Milk Civil Rights Academy\n4235 19th St, San Francisco, CA 94114-2415, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 91, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 42, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "harvey-milk-civil-rights-academy.jpeg", + "logo": "harvey-milk-civil-rights-academy.jpeg" + }, + { + "casid": "6059851", + "name": "Herbert Hoover Middle School", + "address": "2290 14th Ave, San Francisco, CA 94116-1841, United States", + "neighborhood": "Golden Gate Heights", + "priority": false, + "latitude": "37.7454", + "longitude": "-122.46988", + "profile": { + "create": { + "about": "Hoover Middle School is a beacon of academic and arts excellence, committed to nurturing technological skills and multicultural appreciation through diverse programs and community engagement.", + "about_bp": [ + "Over 50 years of tradition in academic and visual & performing arts excellence.", + "Emphasis on hands-on learning experiences across various disciplines including STEAM and arts.", + "Comprehensive language programs in Chinese and Spanish immersion promoting multicultural understanding.", + "Dedicated family liaisons providing Spanish and Chinese translation services to enhance community inclusion.", + "Robust after-school programs and student support services including AVID, counseling, and athletics." + ], + "principal": "Adrienne Sullivan Smith", + "website_url": "https://www.sfusd.edu/school/herbert-hoover-middle-school", + "donation_text": "Mail a check made out to Herbert Hoover Middle School and mail it to:\nHerbert Hoover Middle School\n2290 14th Ave, San Francisco, CA 94116-1841, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$SNlISQKTr5s?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 948, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 69, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "herbert-hoover-middle-school.jpg", + "logo": "herbert-hoover-middle-school.png" + }, + { + "casid": "6041156", + "name": "Hillcrest Elementary School", + "address": "810 Silver Ave, San Francisco, CA 94134-1012, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72881", + "longitude": "-122.41913", + "profile": { + "create": { + "about": "At Hillcrest Elementary, we offer a nurturing and diverse educational environment where students can thrive through rigorous, relevant, and relational learning experiences.", + "about_bp": [ + "Offers four standards-based instructional programs catering to diverse linguistic and cultural needs.", + "Encourages student reflection and presentation through portfolio development and end-of-year assessments.", + "Promotes a collaborative home-school partnership to support student success across academic and social domains.", + "Provides a variety of enrichment activities, including arts, science, and wellness programs.", + "Includes specialized language and special education programs to meet the diverse needs of students." + ], + "principal": "Patricia Theel", + "website_url": "https://www.sfusd.edu/school/hillcrest-elementary-school", + "donation_text": "Mail a check made out to Hillcrest Elementary School and mail it to:\nHillcrest Elementary School\n810 Silver Ave, San Francisco, CA 94134-1012, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$6_IlP_b_yi4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 153, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 24, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 49, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 93, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "hillcrest-elementary-school.jpg", + "logo": "hillcrest-elementary-school.png" + }, + { + "casid": "3830395", + "name": "Hilltop + El Camino Alternativo Schools", + "address": "2730 Bryant St, San Francisco, CA 94110-4226, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.7507", + "longitude": "-122.4091", + "profile": { + "create": { + "about": "Hilltop Special Service Center offers a unique educational environment dedicated to equipping students with the academic skills and support they need to graduate high school and excel as parents and future community leaders.", + "about_bp": [ + "Provides a safe and supportive academic environment with access to prenatal, parenting, health, and emotional support services.", + "Offers open enrollment and continuous assessment to help students transition to comprehensive high schools.", + "Features a nursery providing child care for infants, supporting parenting students from the SFUSD district-wide.", + "Prioritizes holistic education through explicit instruction and differentiated teaching to enhance student resilience and responsibility.", + "Emphasizes community-building, self-advocacy, and readiness for college and career aspirations." + ], + "principal": "Elisa Villafuerte", + "website_url": "https://www.sfusd.edu/school/hilltop-el-camino-alternativo-schools", + "donation_text": "Mail a check made out to Hilltop + El Camino Alternativo Schools and mail it to:\nHilltop + El Camino Alternativo Schools\n2730 Bryant St, San Francisco, CA 94110-4226, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 29, + "unit": "", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 72, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 94, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 71, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "logo": "hilltop-el-camino-alternativo-schools.jpg" + }, + { + "casid": "6059869", + "name": "James Denman Middle School", + "address": "241 Oneida Ave, San Francisco, CA 94112-3228, United States", + "neighborhood": "Mission Terrace", + "priority": false, + "latitude": "37.7217", + "longitude": "-122.44295", + "profile": { + "create": { + "about": "James Denman Middle School fosters a literate and independent learning community, committed to creating a non-competitive and supportive environment where each student can thrive academically and personally with a focus on character development and community involvement.", + "about_bp": [ + "Safe, non-competitive environment tailored to individual student needs.", + "Strong focus on character development and student leadership opportunities.", + "Active partnerships with the community to enhance learning, including music and arts.", + "Comprehensive academic and extracurricular programs including STEAM, arts, and athletics.", + "Supportive school community with active parent and community participation." + ], + "principal": "Jenny Ujiie", + "website_url": "https://www.sfusd.edu/school/james-denman-middle-school", + "donation_text": "Mail a check made out to James Denman Middle School and mail it to:\nJames Denman Middle School\n241 Oneida Ave, San Francisco, CA 94112-3228, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$8Aa_f1cnDrQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 778, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 71, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "james-denman-middle-school.jpeg", + "logo": "james-denman-middle-school.png" + }, + { + "casid": "6062053", + "name": "James Lick Middle School", + "address": "1220 Noe St, San Francisco, CA 94114-3714, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.74945", + "longitude": "-122.43194", + "profile": { + "create": { + "about": "James Lick Middle School, located in Noe Valley, is a vibrant and diverse community that fosters student growth through comprehensive academic and enrichment programs, emphasizing Spanish immersion and the arts.", + "about_bp": [ + "Located in the heart of Noe Valley, providing a culturally rich educational environment.", + "Offers a robust Spanish Immersion Program alongside a thriving Visual and Performing Arts Program.", + "Provides comprehensive after-school programs supported by the Jamestown Community Center, enhancing academic and personal development.", + "Equipped with 1:1 student Chromebooks to ensure students have access to digital learning resources.", + "Comprehensive support system including counselors, health services, and a dedicated mental health consultant." + ], + "principal": "Marisol Arkin", + "website_url": "https://www.sfusd.edu/school/james-lick-middle-school", + "donation_text": "Mail a check made out to James Lick Middle School and mail it to:\nJames Lick Middle School\n1220 Noe St, San Francisco, CA 94114-3714, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 450, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 21, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 24, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 36, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 69, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "james-lick-middle-school.jpg", + "logo": "james-lick-middle-school.png" + }, + { + "casid": "6041206", + "name": "Jean Parker Elementary School", + "address": "840 Broadway, San Francisco, CA 94133-4219, United States", + "neighborhood": "North Beach", + "priority": false, + "latitude": "37.79762", + "longitude": "-122.41103", + "profile": { + "create": { + "about": "Jean Parker Community School is a vibrant and diverse educational institution located conveniently in San Francisco, offering a nurturing environment focused on academic excellence and social-emotional growth through a variety of enriching programs.", + "about_bp": [ + "Located at the east end of the Broadway Tunnel, offering easy accessibility for families in San Francisco.", + "Strong emphasis on social-emotional development and academic achievement through arts and community events.", + "Dedicated and experienced teaching staff with a strong commitment to local community support.", + "Provides a wide range of after-school and student support programs, including academic tutoring and arts enrichment.", + "Focuses on core values of Joy, Relationships, Solidarity, and Self-Worth to foster a supportive community environment." + ], + "principal": "Sara Salda\u00f1a", + "website_url": "https://www.sfusd.edu/school/jean-parker-elementary-school", + "donation_text": "Mail a check made out to Jean Parker Elementary School and mail it to:\nJean Parker Elementary School\n840 Broadway, San Francisco, CA 94133-4219, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$jQOeI2VG_iU?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 61, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 34, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 86, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "jean-parker-elementary-school.jpg", + "logo": "jean-parker-elementary-school.jpg" + }, + { + "casid": "6041230", + "name": "Jefferson Early Education School", + "address": "1350 25th Ave, San Francisco, CA 94122-1525, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.76234", + "longitude": "-122.48329", + "profile": { + "create": { + "about": "Jefferson Early Education School, nestled in San Francisco's Sunset area, offers a nurturing and enriching preschool environment for children aged 3 to 5, combining multicultural sensitivity and a 'creative curriculum' approach to prepare students for Kindergarten.", + "about_bp": [ + "Located in the vibrant Sunset area of San Francisco, fostering a community of learners.", + "Offers a 'creative curriculum' environmental approach aligned with California Preschool Learning Foundations.", + "Rich variety of classroom activities including cooking, gardening, and music.", + "Family engagement through various activities like open house pizza nights and cultural celebrations.", + "Dedicated programs for special education within integrated General Education classrooms." + ], + "principal": "Penelope Ho", + "website_url": "https://www.sfusd.edu/school/jefferson-early-education-school", + "donation_text": "Mail a check made out to Jefferson Early Education School and mail it to:\nJefferson Early Education School\n1350 25th Ave, San Francisco, CA 94122-1525, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$3wgMz6xsQxs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 247, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 40, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "logo": "jefferson-elementary-school.jpg" + }, + { + "casid": "6041255", + "name": "John Muir Elementary School", + "address": "380 Webster St, San Francisco, CA 94117-3512, United States", + "neighborhood": "Hayes Valley", + "priority": false, + "latitude": "37.77376", + "longitude": "-122.42868", + "profile": { + "create": { + "about": "John Muir School is an inclusive learning community dedicated to nurturing confident, independent learners prepared to excel academically and socially, with a strong emphasis on cultural diversity and interdisciplinary education.", + "about_bp": [ + "Culturally diverse and relevant learning experiences.", + "Collaborative teaching practices aligned with Common Core standards.", + "Partnerships with San Francisco Ballet and Mission Science Center.", + "Adoption of the PAX Good Behavior Game and mindfulness programs.", + "Active parent engagement through the Parent Leadership Group." + ], + "principal": "Donald Frazier", + "website_url": "https://www.sfusd.edu/school/john-muir-elementary-school", + "donation_text": "Mail a check made out to John Muir Elementary School and mail it to:\nJohn Muir Elementary School\n380 Webster St, San Francisco, CA 94117-3512, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rnaAqxsk8UM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 121, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 45, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 41, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 90, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "john-muir-elementary-school.jpg", + "logo": "john-muir-elementary-school.png" + }, + { + "casid": "6113252", + "name": "John Yehall Chin Elementary School", + "address": "350 Broadway, San Francisco, CA 94133-4503, United States", + "neighborhood": "Telegraph Hill", + "priority": false, + "latitude": "37.79845", + "longitude": "-122.40308", + "profile": { + "create": { + "about": "John Yehall Chin is a small, welcoming school that prides itself on providing a well-rounded education, fostering a learning environment filled with care and innovation for students eager to transform the world.", + "about_bp": [ + "Emphasizes efficiency and productivity alongside compassionate education.", + "Integrates technology seamlessly with traditional educational methods for effective communication with families.", + "Offers unique programs like the Lily Cai Chinese Cultural Dance and School Spirit Store.", + "Teachers possess in-depth knowledge of both content and human development to teach effectively.", + "Provides after-school programs in partnership with the Chinatown YMCA, offering homework help and enrichment activities." + ], + "principal": "Allen Lee", + "website_url": "https://www.sfusd.edu/school/john-yehall-chin-elementary-school", + "donation_text": "Mail a check made out to John Yehall Chin Elementary School and mail it to:\nJohn Yehall Chin Elementary School\n350 Broadway, San Francisco, CA 94133-4503, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$QVoFTwoTFek?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 138, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 86, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 79, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "john-yehall-chin-elementary-school.jpg" + }, + { + "casid": "6041271", + "name": "Jose Ortega Elementary School", + "address": "400 Sargent St, San Francisco, CA 94132-3152, United States", + "neighborhood": "Ingleside Heights", + "priority": false, + "latitude": "37.71636", + "longitude": "-122.46652", + "profile": { + "create": { + "about": "Jose Ortega Elementary School is a vibrant and culturally diverse educational institution that fosters a stimulating and inclusive environment, encouraging students to achieve their fullest potential through a variety of educational programs and family-engagement activities.", + "about_bp": [ + "Offers Mandarin Immersion and Special Education programs to accommodate diverse learning needs.", + "Promotes a collaborative school climate with extensive family and community involvement opportunities.", + "Provides comprehensive student support services including mental health access, mentoring, and social work.", + "Integrates academic and enrichment activities such as arts, physical education, and science-linked gardening projects.", + "Hosts various enriching after-school programs through the on-site Stonestown YMCA." + ], + "principal": "Paula Antram", + "website_url": "https://www.sfusd.edu/school/jose-ortega-elementary-school", + "donation_text": "Mail a check made out to Jose Ortega Elementary School and mail it to:\nJose Ortega Elementary School\n400 Sargent St, San Francisco, CA 94132-3152, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$IMcN0yN8r5E?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 191, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 32, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 72, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "jose-ortega-elementary-school.jpg", + "logo": "jose-ortega-elementary-school.png" + }, + { + "casid": "6041289", + "name": "Junipero Serra Elementary School", + "address": "625 Holly Park Cir, San Francisco, CA 94110-5815, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.73667", + "longitude": "-122.42124", + "profile": { + "create": { + "about": "Junipero Serra Elementary School is a vibrant community-focused public school in the picturesque Bernal Heights area, dedicated to nurturing a diverse student population with a comprehensive and culturally inclusive education.", + "about_bp": [ + "Located adjacent to the scenic Bernal Heights public park and near the local library, offering a picturesque learning environment.", + "Diverse community fostering cultural pride and encouraging lifelong learning among students.", + "Strong emphasis on community through Caring Schools Community meetings and home-side activities connecting parents and students.", + "Wide range of programs including after school and language initiatives, catering to varied student needs and interests.", + "Annual reviews and data-driven strategies to nurture academic and social-emotional success among students." + ], + "principal": "Katerina Palomares", + "website_url": "https://www.sfusd.edu/school/junipero-serra-elementary-school", + "donation_text": "Mail a check made out to Junipero Serra Elementary School and mail it to:\nJunipero Serra Elementary School\n625 Holly Park Cir, San Francisco, CA 94110-5815, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$g9I2qJAx9XY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 139, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 32, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "junipero-serra-elementary-school.jpg", + "logo": "junipero-serra-elementary-school.jpg" + }, + { + "casid": "6041305", + "name": "Lafayette Elementary School", + "address": "4545 Anza St, San Francisco, CA 94121-2621, United States", + "neighborhood": "Outer Richmond", + "priority": false, + "latitude": "37.77747", + "longitude": "-122.49719", + "profile": { + "create": { + "about": "Lafayette School is a vibrant educational community in the Outer Richmond area, offering a multicultural curriculum and specialized programs for a diverse student body, including those with special needs and hearing impairments.", + "about_bp": [ + "Celebrates the rich cultural heritage of its diverse student population with events like Multicultural Night and Black History Month.", + "Offers specialized education programs for pre-K through fifth grade hearing impaired students.", + "Features a variety of after-school programs, including fee-based and community-led initiatives.", + "Strong emphasis on arts enrichment with programs in dance, drama, visual arts, and instrumental music.", + "Active Parent Teacher Association that fosters community through events like the Halloween Carnival and Book Fair." + ], + "principal": "Krishna Kassebaum", + "website_url": "https://www.sfusd.edu/school/lafayette-elementary-school", + "donation_text": "Mail a check made out to Lafayette Elementary School and mail it to:\nLafayette Elementary School\n4545 Anza St, San Francisco, CA 94121-2621, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 247, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 78, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 29, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "lafayette-elementary-school.jpg", + "logo": "lafayette-elementary-school.jpg" + }, + { + "casid": "6041321", + "name": "Lakeshore Alternative Elementary School", + "address": "220 Middlefield Dr, San Francisco, CA 94132-1418, United States", + "neighborhood": "Stonestown", + "priority": false, + "latitude": "37.73057", + "longitude": "-122.48581", + "profile": { + "create": { + "about": "Lakeshore Elementary is a vibrant and diverse school located in the picturesque area of Lake Merced, San Francisco, dedicated to preparing students academically, socially, and emotionally for middle school and beyond.", + "about_bp": [ + "Strong partnerships with Lowell High School and San Francisco State University provide students with expanded learning opportunities.", + "A focus on social and emotional well-being with dedicated full-time School Social Worker and Elementary Adviser staff available.", + "Diverse after-school programs, including an ExCEL program and a Mandarin language program, cater to a wide range of interests and needs.", + "Comprehensive enrichment opportunities in STEAM, arts, athletics, and literacy enrich the school day.", + "A commitment to inclusive education through specialized programs for students with autism and other needs." + ], + "principal": "Matthew Hartford", + "website_url": "https://www.sfusd.edu/school/lakeshore-alternative-elementary-school", + "donation_text": "Mail a check made out to Lakeshore Alternative Elementary School and mail it to:\nLakeshore Alternative Elementary School\n220 Middlefield Dr, San Francisco, CA 94132-1418, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$lAQBfbrPCmk?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 193, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "lakeshore-alternative-elementary-school.jpg", + "logo": "lakeshore-alternative-elementary-school.gif" + }, + { + "casid": "6041339", + "name": "Lawton Alternative School (K-8)", + "address": "1570 31st Ave, San Francisco, CA 94122-3104, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.75805", + "longitude": "-122.48909", + "profile": { + "create": { + "about": "Lawton Alternative School fosters a nurturing and engaging environment that promotes academic excellence, personal growth, and a strong sense of community, encouraging students to thrive through creativity and service.", + "about_bp": [ + "Dedicated to the holistic development of students through respect, responsibility, and compassion.", + "Offers enriched educational experiences with programs in STEAM, arts enrichment, athletics, and student support services.", + "Highly committed to family engagement through regular communication and comprehensive progress reports.", + "Responsive classroom environments that cater to diverse learners, promoting critical thinking and teamwork.", + "Annual assessments and climate surveys to ensure positive academic achievement and a supportive school culture." + ], + "principal": "Armen Sedrakian", + "website_url": "https://www.sfusd.edu/school/lawton-alternative-school-k-8", + "donation_text": "Mail a check made out to Lawton Alternative School (K-8) and mail it to:\nLawton Alternative School (K-8)\n1570 31st Ave, San Francisco, CA 94122-3104, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$qtpkmG7p11k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 385, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 81, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 75, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 68, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "logo": "lawton-alternative-school-k-8.png" + }, + { + "casid": "6041347", + "name": "Leonard R. Flynn Elementary School", + "address": "3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.74812", + "longitude": "-122.41203", + "profile": { + "create": { + "about": "Flynn Elementary is a community-focused TK-5 school in San Francisco's Mission district, committed to providing a culturally responsive, high-quality education for all students in a supportive and inclusive environment.", + "about_bp": [ + "Located in the vibrant Mission district, fostering a diverse and inclusive school community.", + "Offers a rigorous, culturally sensitive instructional program promoting language development and social/emotional growth.", + "Strong focus on social justice with a robust home-school connection to support student well-being and learning.", + "Collaborative environment with mutual respect and open communication between staff, parents, and the broader community.", + "Dedicated to nurturing compassionate, innovative learners prepared for future leadership roles." + ], + "principal": "Tyler Woods", + "website_url": "https://www.sfusd.edu/school/leonard-r-flynn-elementary-school", + "donation_text": "Mail a check made out to Leonard R. Flynn Elementary School and mail it to:\nLeonard R. Flynn Elementary School\n3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 185, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 34, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 34, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 78, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "leonard-r-flynn-elementary-school.jpg", + "logo": "leonard-r-flynn-elementary-school.jpeg" + }, + { + "casid": "6041362", + "name": "Longfellow Elementary School", + "address": "755 Morse St, San Francisco, CA 94112-4223, United States", + "neighborhood": "Crocker Amazon", + "priority": false, + "latitude": "37.71028", + "longitude": "-122.44755", + "profile": { + "create": { + "about": "Longfellow Elementary School, with a rich history of 140 years in the outer Mission district, is committed to nurturing globally aware, life-long learners equipped with academic, social, and artistic skills.", + "about_bp": [ + "Focus on educating the whole child and empowering families with a comprehensive approach.", + "Strong emphasis on cultural awareness and social responsibility, fostering a sense of community and pride.", + "Wide range of enrichment programs including arts, STEAM, and language classes.", + "Comprehensive student support with access to healthcare professionals and social services.", + "Diverse language programs catering to a multicultural student body." + ], + "principal": "Kath Cuellar Burns", + "website_url": "https://www.sfusd.edu/school/longfellow-elementary-school", + "donation_text": "Mail a check made out to Longfellow Elementary School and mail it to:\nLongfellow Elementary School\n755 Morse St, San Francisco, CA 94112-4223, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$OKlUlyYE5WI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 248, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 25, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 26, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 62, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "longfellow-elementary-school.png", + "logo": "longfellow-elementary-school.jpg" + }, + { + "casid": "6041586", + "name": "Malcolm X Academy Elementary School", + "address": "350 Harbor Rd, San Francisco, CA 94124-2474, United States", + "neighborhood": "Hunters Point", + "priority": false, + "latitude": "37.73422", + "longitude": "-122.38101", + "profile": { + "create": { + "about": "Malcolm X Academy, situated in the vibrant Bayview community of San Francisco, empowers students through an inclusive, supportive, and culturally rich environment, fostering both academic excellence and personal growth.", + "about_bp": [ + "Dedicated to developing students' intellectual, social, emotional, and physical capacities.", + "Provides a caring and safe learning environment with small class sizes.", + "Strong emphasis on creativity, self-discipline, and citizenship.", + "Collaborative community school actively involving students and families.", + "Diverse teaching methods and high expectations to inspire lifelong learning." + ], + "principal": "Matthew Fitzsimmon", + "website_url": "https://www.sfusd.edu/school/malcolm-x-academy-elementary-school", + "donation_text": "Mail a check made out to Malcolm X Academy Elementary School and mail it to:\nMalcolm X Academy Elementary School\n350 Harbor Rd, San Francisco, CA 94124-2474, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$VI_FUD_IkPQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 50, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 94, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "malcolm-x-academy-elementary-school.jpg", + "logo": "malcolm-x-academy-elementary-school.jpg" + }, + { + "casid": "6062061", + "name": "Marina Middle School", + "address": "3500 Fillmore St, San Francisco, CA 94123-2103, United States", + "neighborhood": "Marina", + "priority": false, + "latitude": "37.80182", + "longitude": "-122.43547", + "profile": { + "create": { + "about": "Marina Middle School is a thriving educational community committed to fostering integrity, creativity, and respect, while providing rigorous academic programs and a wealth of extracurricular activities.", + "about_bp": [ + "Established in 1936, the school has a rich history of academic and community growth.", + "Offers a diverse selection of language courses, including Mandarin, Cantonese, Arabic, and Spanish.", + "Partners with community organizations to provide enriching after-school programs and activities.", + "Dedicated to personalizing educational journeys through strategic planning and academic support initiatives.", + "Hosts a variety of athletic, artistic, and technical programs to cater to diverse student interests." + ], + "principal": "Michael Harris", + "website_url": "https://www.sfusd.edu/school/marina-middle-school", + "donation_text": "Mail a check made out to Marina Middle School and mail it to:\nMarina Middle School\n3500 Fillmore St, San Francisco, CA 94123-2103, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 651, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 49, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 86, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "marina-middle-school.jpg", + "logo": "marina-middle-school.jpg" + }, + { + "casid": "6041412", + "name": "Marshall Elementary School", + "address": "1575 15th St, San Francisco, CA 94103-3639, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.76627", + "longitude": "-122.419", + "profile": { + "create": { + "about": "Marshall Elementary School is a thriving community institution committed to fostering bilingual and biliterate students through a rigorous curriculum in a warm and supportive environment.", + "about_bp": [ + "Full K-5 Spanish Two-Way Immersion program aimed at bilingual and biliterate proficiency by 5th grade.", + "High expectations for students supported by personalized resources and community involvement.", + "Active Parent Teacher Association that funds diverse academic and arts programs.", + "Robust before and after school programs designed to enrich student learning and support working families.", + "Engagement with families and staff in decision-making processes to boost student success and joyful learning." + ], + "principal": "Noah Ingber", + "website_url": "https://www.sfusd.edu/school/marshall-elementary-school", + "donation_text": "Mail a check made out to Marshall Elementary School and mail it to:\nMarshall Elementary School\n1575 15th St, San Francisco, CA 94103-3639, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$P0HurEekRvo?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 133, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 69, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 95, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "marshall-elementary-school.jpg", + "logo": "marshall-elementary-school.png" + }, + { + "casid": "6041420", + "name": "McKinley Elementary School", + "address": "1025 14th St, San Francisco, CA 94114-1221, United States", + "neighborhood": "Buena Vista Park", + "priority": false, + "latitude": "37.76711", + "longitude": "-122.43644", + "profile": { + "create": { + "about": "Nestled in vibrant San Francisco, McKinley provides a nurturing environment where a diverse student body is empowered to excel academically and personally.", + "about_bp": [ + "Commitment to student safety and self-expression within a supportive school climate.", + "Focus on helping every student reach their highest potential through a challenging curriculum.", + "Strong emphasis on equity, assuring proficiency for all students through personalized teaching methods.", + "Extensive enrichment opportunities like music, arts, and comprehensive afterschool programs.", + "Active community engagement, fostering collaboration among staff, parents, and students for student success." + ], + "principal": "John Collins", + "website_url": "https://www.sfusd.edu/school/mckinley-elementary-school", + "donation_text": "Mail a check made out to McKinley Elementary School and mail it to:\nMcKinley Elementary School\n1025 14th St, San Francisco, CA 94114-1221, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$kGLi4cLBSJ8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 65, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 60, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "mckinley-elementary-school.jpg", + "logo": "mckinley-elementary-school.jpg" + }, + { + "casid": "6041438", + "name": "Miraloma Elementary School", + "address": "175 Omar Way, San Francisco, CA 94127-1701, United States", + "neighborhood": "Miraloma", + "priority": false, + "latitude": "37.73913", + "longitude": "-122.4501", + "profile": { + "create": { + "about": "Miraloma Elementary School is a vibrant, inclusive community dedicated to fostering the personal and academic growth of students through dynamic learning experiences and a supportive environment.", + "about_bp": [ + "Emphasizes diversity and inclusivity, celebrating each student's unique strengths and backgrounds.", + "Nurtures students with dynamic, authentic learning experiences that stimulate curiosity and creativity.", + "Collaborative community of teachers, parents, and administration focused on student growth and independence.", + "Supports resilience and perseverance in students, equipping them to tackle academic, social, and emotional challenges.", + "Encourages active community participation and advocacy for social justice." + ], + "principal": "Rochelle Gumpert", + "website_url": "https://www.sfusd.edu/school/miraloma-elementary-school", + "donation_text": "Mail a check made out to Miraloma Elementary School and mail it to:\nMiraloma Elementary School\n175 Omar Way, San Francisco, CA 94127-1701, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$bW_IBAZUSHo?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 150, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "logo": "miraloma-elementary-school.jpg" + }, + { + "casid": "6089585", + "name": "Mission Education Center Elementary School", + "address": "1670 Noe St, San Francisco, CA 94131-2357, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.74221", + "longitude": "-122.43134", + "profile": { + "create": { + "about": "Mission Education Center is a unique PreK-5 school dedicated to helping newly arrived Spanish-speaking immigrant students acquire the skills needed to succeed in traditional schools, with a focus on bilingual education and community integration.", + "about_bp": [ + "Transitional program to support Spanish-speaking immigrant students in achieving success in regular schools within a year.", + "Teachers are bilingual and specialized in working with newcomer populations, focusing on both English proficiency and academic success in Spanish.", + "Comprehensive arts program including visual arts, performing arts, music, and dance, alongside robust physical education.", + "Parental engagement through bi-weekly education workshops and support resources to help families integrate into the community.", + "Collaborative partnerships with local community agencies to enhance student learning and cultural experience." + ], + "principal": "Albert Maldonado", + "website_url": "https://www.sfusd.edu/school/mission-education-center-elementary-school", + "donation_text": "Mail a check made out to Mission Education Center Elementary School and mail it to:\nMission Education Center Elementary School\n1670 Noe St, San Francisco, CA 94131-2357, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CH_LYvCre5o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 60, + "unit": "", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 86, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "mission-education-center-elementary-school.jpg", + "logo": "mission-education-center-elementary-school.jpg" + }, + { + "casid": "6041446", + "name": "Monroe Elementary School", + "address": "260 Madrid St, San Francisco, CA 94112-2055, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.7256", + "longitude": "-122.43026", + "profile": { + "create": { + "about": "Monroe Elementary is a vibrant and inclusive school in the Excelsior district, dedicated to fostering academic excellence and social justice through diverse language programs and community engagement.", + "about_bp": [ + "Hosts three language programs: English Language Development, Chinese Bilingual, and Spanish Immersion.", + "Focuses on high-quality teaching and learning for historically underserved populations, ensuring academic equity.", + "Facilitates open, honest discussions among students, parents, and teachers to support students' academic progress and emotional well-being.", + "Encourages collective responsibility for educational success among students, teachers, staff, and families.", + "Offers a variety of before and after school programs, as well as arts and student support services." + ], + "principal": "Telmo Vasquez", + "website_url": "https://www.sfusd.edu/school/monroe-elementary-school", + "donation_text": "Mail a check made out to Monroe Elementary School and mail it to:\nMonroe Elementary School\n260 Madrid St, San Francisco, CA 94112-2055, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$bFoC4ZiNBaY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 270, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 44, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 41, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 88, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "monroe-elementary-school.jpg", + "logo": "monroe-elementary-school.jpg" + }, + { + "casid": "6097919", + "name": "New Traditions Creative Arts Elementary School", + "address": "2049 Grove St, San Francisco, CA 94117-1123, United States", + "neighborhood": "Northern Park", + "priority": false, + "latitude": "37.77388", + "longitude": "-122.45026", + "profile": { + "create": { + "about": "At New Traditions, we foster a supportive and respectful environment dedicated to creative, meaningful, and rigorous education with a strong emphasis on the Arts and community involvement.", + "about_bp": [ + "Student-centered and solution-based approach to education.", + "Active parent involvement in students\u2019 academic and social development.", + "Emphasis on creative arts within a well-rounded curriculum.", + "Positive Behavior System promoting self-reflection and community impact.", + "Daily morning circle to reinforce community values of safety, responsibility, and respect." + ], + "principal": "Myra Quadros", + "website_url": "https://www.sfusd.edu/school/new-traditions-creative-arts-elementary-school", + "donation_text": "Mail a check made out to New Traditions Creative Arts Elementary School and mail it to:\nNew Traditions Creative Arts Elementary School\n2049 Grove St, San Francisco, CA 94117-1123, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$BMTmX2eUI5k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 5, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 31, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "new-traditions-creative-arts-elementary-school.jpg" + }, + { + "casid": "6041487", + "name": "Paul Revere (PreK-8) School", + "address": "555 Tompkins Ave, San Francisco, CA 94110-6144, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.73721", + "longitude": "-122.413", + "profile": { + "create": { + "about": "Paul Revere School is an inclusive institution committed to closing the achievement gap by providing a supportive environment with high expectations and access to qualified staff for all students.", + "about_bp": [ + "Provides data-informed professional development and collaborative planning time for faculty.", + "Offers targeted literacy and math instruction with emphasis on small groups and data-driven teaching.", + "Prioritizes equity in education by providing a differentiated curriculum tailored to individual student needs.", + "Recognizes and rewards students for both academic accomplishments and outstanding character.", + "Engages with the larger community to cultivate a positive school culture that values diversity in backgrounds, languages, and experiences." + ], + "principal": "William Eaton", + "website_url": "https://www.sfusd.edu/school/paul-revere-prek-8-school", + "donation_text": "Mail a check made out to Paul Revere (PreK-8) School and mail it to:\nPaul Revere (PreK-8) School\n555 Tompkins Ave, San Francisco, CA 94110-6144, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$01ypxv5IEy4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 311, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 3, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 55, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "paul-revere-prek-8-school.png", + "logo": "paul-revere-prek-8-school.png" + }, + { + "casid": "6062079", + "name": "Presidio Middle School", + "address": "450 30th Ave, San Francisco, CA 94121-1766, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.78086", + "longitude": "-122.48962", + "profile": { + "create": { + "about": "This school offers a diverse array of academic and enrichment programs designed to support and enhance student learning in a vibrant, supportive community.", + "about_bp": [ + "Comprehensive after-school programs available district-wide.", + "Robust language programs in Japanese and Vietnamese.", + "Diverse special education offerings tailored to various needs.", + "Rich arts and athletics programs fostering creativity and teamwork.", + "Strong student support system including health and wellness resources." + ], + "principal": "Kevin Chui", + "website_url": "https://www.sfusd.edu/school/presidio-middle-school", + "donation_text": "Mail a check made out to Presidio Middle School and mail it to:\nPresidio Middle School\n450 30th Ave, San Francisco, CA 94121-1766, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 980, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 51, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 40, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "presidio-middle-school.jpg", + "logo": "presidio-middle-school.jpg" + }, + { + "casid": "6041511", + "name": "Redding Elementary School", + "address": "1421 Pine St, San Francisco, CA 94109-4719, United States", + "neighborhood": "Lower Nob Hill", + "priority": false, + "latitude": "37.78964", + "longitude": "-122.41949", + "profile": { + "create": { + "about": "Redding Elementary School in San Francisco offers a nurturing and safe environment for a diverse community of students, emphasizing social justice, equity, and a joyful learning experience.", + "about_bp": [ + "Culturally and ethnically diverse student body from all over San Francisco.", + "Commitment to social justice and equity in education.", + "Interdisciplinary program integrating Social Emotional Learning and arts education.", + "Collaborative teaching approach involving staff and families.", + "Comprehensive language and arts programs, including Arabic learning for all students." + ], + "principal": "Ronnie Louie", + "website_url": "https://www.sfusd.edu/school/redding-elementary-school", + "donation_text": "Mail a check made out to Redding Elementary School and mail it to:\nRedding Elementary School\n1421 Pine St, San Francisco, CA 94109-4719, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$YdNqhm9_z9M?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 106, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "redding-elementary-school.jpg" + }, + { + "casid": "6041529", + "name": "Robert Louis Stevenson Elementary School", + "address": "2051 34th Ave, San Francisco, CA 94116-1109, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.74875", + "longitude": "-122.49254", + "profile": { + "create": { + "about": "Robert Louis Stevenson Elementary School offers an inclusive, enriching environment that nurtures the whole student, fostering community engagement and 21st-century learning skills.", + "about_bp": [ + "Commitment to peace, tolerance, equality, and friendship among all students.", + "Rich academic program supported by a state-of-the-art library and technology resources.", + "Comprehensive afterschool programs including ExCEL and KEEP, providing safe havens for extended learning.", + "Robust arts enrichment with a focus on visual and performing arts through an artist-in-residence program.", + "Strong community support with active PTA funding various educational and enrichment initiatives." + ], + "principal": "Diane Lau-Yee", + "website_url": "https://www.sfusd.edu/school/robert-louis-stevenson-elementary-school", + "donation_text": "Mail a check made out to Robert Louis Stevenson Elementary School and mail it to:\nRobert Louis Stevenson Elementary School\n2051 34th Ave, San Francisco, CA 94116-1109, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$esj4HAzhiYA?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 200, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 71, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 51, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "robert-louis-stevenson-elementary-school.jpg", + "logo": "robert-louis-stevenson-elementary-school.png" + }, + { + "casid": "6089775", + "name": "Rooftop School TK-8", + "address": "443 Burnett Ave, San Francisco, CA 94131-1330, United States", + "neighborhood": "Twin Peaks", + "priority": false, + "latitude": "37.75489", + "longitude": "-122.4436", + "profile": { + "create": { + "about": "Rooftop School is a vibrant TK through 8th grade institution split across two close-knit campuses in San Francisco, dedicated to empowering students through a unique blend of arts-integrated academics, community respect, and individualized learning.", + "about_bp": [ + "Two distinct campuses for different grade levels promoting focused learning environments.", + "Integrated arts program designed to develop students' creative and academic abilities.", + "Strong commitment to a respectful and inclusive school community.", + "Extensive extracurricular offerings including sports, arts, and technology programs.", + "Comprehensive special education services and academic support for diverse learning needs." + ], + "principal": "Darren Kawaii", + "website_url": "https://www.sfusd.edu/school/rooftop-school-tk-8", + "donation_text": "Mail a check made out to Rooftop School TK-8 and mail it to:\nRooftop School TK-8\n443 Burnett Ave, San Francisco, CA 94131-1330, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$L1CclRNGMbI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 388, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 54, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 39, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "rooftop-school-tk-8.jpg", + "logo": "rooftop-tk-8-school-mayeda-campus.png" + }, + { + "casid": "6059901", + "name": "Roosevelt Middle School", + "address": "460 Arguello Blvd, San Francisco, CA 94118-2505, United States", + "neighborhood": "Laurel Heights", + "priority": false, + "latitude": "37.78199", + "longitude": "-122.45866", + "profile": { + "create": { + "about": "Nestled in the historic Richmond neighborhood, Roosevelt Middle School is dedicated to nurturing students' academic, social, and emotional growth in a safe and supportive environment.", + "about_bp": [ + "High expectations and standards for all learners across academic and extracurricular activities.", + "A collaborative staff and community effort to provide meaningful learning experiences.", + "Programs designed to inspire students to be technologically literate and globally minded.", + "A focus on deeper learning through project-based and AVID teaching strategies.", + "Commitment to closing the achievement gap, especially for African American students." + ], + "principal": "Emily Leicham", + "website_url": "https://www.sfusd.edu/school/roosevelt-middle-school", + "donation_text": "Mail a check made out to Roosevelt Middle School and mail it to:\nRoosevelt Middle School\n460 Arguello Blvd, San Francisco, CA 94118-2505, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CX-NBQ_wEfc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 632, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 74, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 5, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 49, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "roosevelt-middle-school.jpg", + "logo": "roosevelt-middle-school.jpeg" + }, + { + "casid": "6041503", + "name": "Rosa Parks Elementary School", + "address": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "neighborhood": "Western Addition", + "priority": false, + "latitude": "37.78353", + "longitude": "-122.43005", + "profile": { + "create": { + "about": "Rosa Parks Elementary is a dynamic academic environment integrating STEAM, Special Education, and a unique Japanese Bilingual Bicultural Program, fostering an inclusive community where every student thrives through culturally relevant, project-based learning.", + "about_bp": [ + "Home to Northern California's only Japanese Bilingual Bicultural Program offering daily Japanese language and cultural education.", + "Comprehensive STEAM curriculum emphasizing science, technology, engineering, arts, and mathematics for experiential learning.", + "Environmentally conscious campus featuring outdoor classrooms, hands-on gardens, and eco-friendly infrastructure enhancements.", + "Collaborative community supported by an active Parent Teacher Association and a nurturing afterschool program in partnership with YMCA ExCEL.", + "Dedicated Special Education resources providing individualized support for students with diverse needs and learning styles." + ], + "principal": "Laura Schmidt-Nojima", + "website_url": "https://www.sfusd.edu/school/rosa-parks-elementary-school", + "donation_text": "Mail a check made out to Rosa Parks Elementary School and mail it to:\nRosa Parks Elementary School\n1501 Ofarrell St, San Francisco, CA 94115-3762, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uhUmVgoOFU0?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 169, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 31, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 26, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "rosa-parks-elementary-school.jpg", + "logo": "rosa-parks-elementary-school.png" + }, + { + "casid": "6093488", + "name": "San Francisco Community School", + "address": "125 Excelsior Ave, San Francisco, CA 94112-2041, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.72586", + "longitude": "-122.43215", + "profile": { + "create": { + "about": "San Francisco Community School is a nurturing, diverse K-8 educational institution dedicated to fostering academic excellence and positive school experiences for all students.", + "about_bp": [ + "Small class sizes to ensure personalized attention and relationship-building.", + "Innovative, science-based, challenge-driven projects enhance learning engagement.", + "Multi-age classrooms promote a strong sense of community and inclusivity.", + "Regular communication and collaboration with families to support student success.", + "Comprehensive arts and athletics programs to enrich student development." + ], + "principal": "Laurie Murdock", + "website_url": "https://www.sfusd.edu/school/san-francisco-community-school", + "donation_text": "Mail a check made out to San Francisco Community School and mail it to:\nSan Francisco Community School\n125 Excelsior Ave, San Francisco, CA 94112-2041, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$iRcTQQx4tA4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 179, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "san-francisco-community-school.jpg" + }, + { + "casid": "0123117", + "name": "San Francisco Public Montessori", + "address": "2340 Jackson St, San Francisco, CA 94115-1323, United States", + "neighborhood": "Pacific Heights", + "priority": false, + "latitude": "37.79287", + "longitude": "-122.4336", + "profile": { + "create": { + "about": "San Francisco Public Montessori is dedicated to fostering each child's potential by integrating the Montessori method with California standards to enhance intellectual, physical, emotional, and social growth.", + "about_bp": [ + "Combines California Common Core Standards with Montessori Curriculum to deliver a holistic educational experience.", + "Focuses on leveraging cultural resources to help students overcome challenges and achieve success.", + "Prioritizes empowering underserved students and families to bridge the opportunity gap.", + "Commits to recruiting a diverse staff to address and dismantle systemic barriers.", + "Fosters collaborative relationships with students, families, and communities to guide decision-making." + ], + "principal": "Monette Benitez", + "website_url": "https://www.sfusd.edu/school/san-francisco-public-montessori", + "donation_text": "Mail a check made out to San Francisco Public Montessori and mail it to:\nSan Francisco Public Montessori\n2340 Jackson St, San Francisco, CA 94115-1323, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 57, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 52, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 44, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "san-francisco-public-montessori.jpg", + "logo": "san-francisco-public-montessori.png" + }, + { + "casid": "6041545", + "name": "Sanchez Elementary School", + "address": "325 Sanchez St, San Francisco, CA 94114-1615, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.76383", + "longitude": "-122.43058", + "profile": { + "create": { + "about": "Sanchez Elementary School is a vibrant community prioritizing high-quality instruction and a student-centered approach to ensure academic success and social justice for all students.", + "about_bp": [ + "Commitment to social justice with culturally-relevant instruction and high standards.", + "Strong partnerships fostering engagement through peer, parental, and staff collaboration.", + "Innovative Spanish Biliteracy Program promoting proficiency in both Spanish and English.", + "Leadership development initiatives for students, parents, and teachers to build a collaborative community.", + "Comprehensive arts and academic enrichment programs including STEAM and multicultural arts initiatives." + ], + "principal": "Ann Marin", + "website_url": "https://www.sfusd.edu/school/sanchez-elementary-school", + "donation_text": "Mail a check made out to Sanchez Elementary School and mail it to:\nSanchez Elementary School\n325 Sanchez St, San Francisco, CA 94114-1615, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ntWZmOuYfOI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 54, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "sanchez-elementary-school.jpg", + "logo": "sanchez-elementary-school.jpg" + }, + { + "casid": "6041560", + "name": "Sheridan Elementary School", + "address": "431 Capitol Ave, San Francisco, CA 94112-2934, United States", + "neighborhood": "Oceanview", + "priority": false, + "latitude": "37.71431", + "longitude": "-122.45937", + "profile": { + "create": { + "about": "Sheridan Elementary School is a nurturing and inclusive educational community in the Oceanview Merced Ingleside District, providing high-quality learning experiences from preschool through 5th grade with a focus on joyful and challenging educational opportunities for all students.", + "about_bp": [ + "Inclusive environment accommodating diverse race and economic backgrounds.", + "Exceptional teaching staff fostering high-achieving, joyful learners.", + "Robust parental involvement ensuring a supportive community.", + "Comprehensive after-school programs managed by the YMCA offering sports, arts, and technology.", + "Diverse enrichment programs including arts residency, drumming, and literacy interventions." + ], + "principal": "Dina Edwards", + "website_url": "https://www.sfusd.edu/school/sheridan-elementary-school", + "donation_text": "Mail a check made out to Sheridan Elementary School and mail it to:\nSheridan Elementary School\n431 Capitol Ave, San Francisco, CA 94112-2934, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$OS0lyC-t7XY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 77, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 27, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 91, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "sheridan-elementary-school.jpg", + "logo": "sheridan-elementary-school.jpg" + }, + { + "casid": "6041578", + "name": "Sherman Elementary School", + "address": "1651 Union St, San Francisco, CA 94123-4506, United States", + "neighborhood": "Cow Hollow", + "priority": false, + "latitude": "37.7978", + "longitude": "-122.42611", + "profile": { + "create": { + "about": "Sherman Elementary School, a prestigious K-5 CDE Distinguished Elementary School in San Francisco, is celebrated for its holistic approach to education focusing on academic excellence, social-emotional growth, and equity among its diverse student body.", + "about_bp": [ + "Established in 1892, located in the vibrant Cow Hollow - Marina area.", + "Strong community ties through active partnerships and a dedicated Parent Teacher Association.", + "Innovative programs including a thriving garden as a 'living classroom', technology classes, and a maker studio.", + "Focus on arts integration with partnerships in dance, music, and visual arts enhancing academic learning.", + "Dedicated support for literacy and math development through on-site coaching and professional development." + ], + "principal": "Helen Parker", + "website_url": "https://www.sfusd.edu/school/sherman-elementary-school", + "donation_text": "Mail a check made out to Sherman Elementary School and mail it to:\nSherman Elementary School\n1651 Union St, San Francisco, CA 94123-4506, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ZHYgbeMuiSI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 111, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 50, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 47, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "sherman-elementary-school.jpg", + "logo": "sherman-elementary-school.png" + }, + { + "casid": "6041594", + "name": "Spring Valley Science Elementary School", + "address": "1451 Jackson St, San Francisco, CA 94109-3115, United States", + "neighborhood": "Nob Hill", + "priority": false, + "latitude": "37.79402", + "longitude": "-122.4188", + "profile": { + "create": { + "about": "Spring Valley Science is committed to providing a forward-thinking education that emphasizes science, literacy, and the development of critical thinking and problem-solving skills, fostering a growth mindset among all students.", + "about_bp": [ + "Comprehensive approach to literacy that develops avid readers and writers.", + "Focus on social justice to ensure inclusive learning for all children.", + "Personalized instruction tailored to varied learning styles and needs.", + "Emphasis on student responsibility and higher-level thinking skills.", + "Preparation of students to pursue ambitions and contribute effectively to society." + ], + "principal": "Jessica Arnott", + "website_url": "https://www.sfusd.edu/school/spring-valley-science-elementary-school", + "donation_text": "Mail a check made out to Spring Valley Science Elementary School and mail it to:\nSpring Valley Science Elementary School\n1451 Jackson St, San Francisco, CA 94109-3115, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 118, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 31, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 47, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 72, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "spring-valley-science-elementary-school.png", + "logo": "spring-valley-science-elementary-school.png" + }, + { + "casid": "6041602", + "name": "Starr King Elementary School", + "address": "1215 Carolina St, San Francisco, CA 94107-3322, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.75269", + "longitude": "-122.39871", + "profile": { + "create": { + "about": "Starr King Elementary School, nestled atop Potrero Hill, is a dynamic and ethnically diverse community dedicated to fostering a supportive and equitable learning environment through its variety of specialized programs and engaging educational experiences.", + "about_bp": [ + "Diverse programs including Mandarin Immersion, General Education, and specialized support for students with autism.", + "Smallest class sizes in the district promote personalized learning and strong community relationships.", + "Robust after-school offerings include sports, music, and language support programs.", + "Comprehensive arts enrichment with partnerships such as the San Francisco Symphony's AIMS and Music In Schools Today.", + "Strong parent volunteer involvement enhances classroom support and enrichment opportunities." + ], + "principal": "Darlene Martin", + "website_url": "https://www.sfusd.edu/school/starr-king-elementary-school", + "donation_text": "Mail a check made out to Starr King Elementary School and mail it to:\nStarr King Elementary School\n1215 Carolina St, San Francisco, CA 94107-3322, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$aHFSggQYXXY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 149, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 65, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 51, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "starr-king-elementary-school.jpg", + "logo": "starr-king-elementary-school.jpg" + }, + { + "casid": "6041610", + "name": "Sunnyside Elementary School", + "address": "250 Foerster St, San Francisco, CA 94112-1341, United States", + "neighborhood": "Sunnyside", + "priority": false, + "latitude": "37.73044", + "longitude": "-122.44873", + "profile": { + "create": { + "about": "Sunnyside Elementary School offers a diverse and nurturing environment focused on developing well-rounded, capable students prepared for the complexities of modern society.", + "about_bp": [ + "Diverse student body with personalized educational experiences.", + "Focus on nurturing curiosity, problem-solving, and teamwork skills.", + "Comprehensive arts and academic programs fostering well-rounded development.", + "Strong community and family engagement through various communication channels.", + "Supportive environment with specialized programs for holistic student development." + ], + "principal": "Dr. Sauntheri Spoering", + "website_url": "https://www.sfusd.edu/school/sunnyside-elementary-school", + "donation_text": "Mail a check made out to Sunnyside Elementary School and mail it to:\nSunnyside Elementary School\n250 Foerster St, San Francisco, CA 94112-1341, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ad8LtISR4VU?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 164, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 53, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 38, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "sunnyside-elementary-school.jpg" + }, + { + "casid": "6113997", + "name": "Sunset Elementary School", + "address": "1920 41st Ave, San Francisco, CA 94116-1101, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.75085", + "longitude": "-122.49974", + "profile": { + "create": { + "about": "Sunset School is a vibrant and inclusive educational community that prioritizes academic excellence and social justice, offering students a variety of programs to support holistic development in a safe and nurturing environment.", + "about_bp": [ + "Diverse and inclusive community committed to equity and academic growth.", + "Offers a comprehensive curriculum with a focus on STEAM, including outdoor science, technology, and the arts.", + "Engages in best teaching practices aligned with Common Core standards and interdisciplinary strategies.", + "Strong parent and community involvement enhances student success.", + "Provides targeted programs for before and after school enrichment and special education." + ], + "principal": "Rosina Tong", + "website_url": "https://www.sfusd.edu/school/sunset-elementary-school", + "donation_text": "Mail a check made out to Sunset Elementary School and mail it to:\nSunset Elementary School\n1920 41st Ave, San Francisco, CA 94116-1101, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$9F_IYWIIhxQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 191, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 86, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 35, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "sunset-elementary-school.jpg", + "logo": "sunset-elementary-school.png" + }, + { + "casid": "6041644", + "name": "Sutro Elementary School", + "address": "235 12th Ave, San Francisco, CA 94118-2103, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.78372", + "longitude": "-122.47115", + "profile": { + "create": { + "about": "Sutro Elementary offers a nurturing and inclusive learning environment with a strong academic program and a commitment to equal opportunities for all its diverse student community.", + "about_bp": [ + "Strong focus on academic excellence with a collaborative and family-oriented approach.", + "Offers a variety of after-school programs including homework support, piano, Mandarin, and coding classes.", + "Emphasizes individual attention and a supportive community culture for each student.", + "Comprehensive arts enrichment including visual arts, dance, and instrumental music.", + "Dedicated to addressing both academic and social-emotional needs through a supportive school community." + ], + "principal": "Beth Bonfiglio", + "website_url": "https://www.sfusd.edu/school/sutro-elementary-school", + "donation_text": "Mail a check made out to Sutro Elementary School and mail it to:\nSutro Elementary School\n235 12th Ave, San Francisco, CA 94118-2103, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$lH7mer9fEWw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 122, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 74, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 73, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 31, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 70, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "sutro-elementary-school.png", + "logo": "sutro-elementary-school.png" + }, + { + "casid": "6115901", + "name": "Tenderloin Community Elementary School", + "address": "627 Turk St, San Francisco, CA 94102-3212, United States", + "neighborhood": "Tenderloin", + "priority": false, + "latitude": "37.78181", + "longitude": "-122.41974", + "profile": { + "create": { + "about": "Tenderloin Community School (TCS) is a vibrant PreK-5th Grade public elementary institution that champions a collaborative learning environment with integrated community resources to enhance joyful and comprehensive education.", + "about_bp": [ + "Hosts a range of community resources on-campus, including a dental clinic, fostering a well-rounded support system for students.", + "Generous backing from the Bay Area Women's and Children Center enriches the school's resources for joyful learning.", + "Provides a diverse array of before and after-school programs, including partnerships with organizations like YMCA and Boys & Girls Club.", + "Offers specialized programs such as the Vietnamese Foreign Language in Elementary School (FLES) and SOAR special education program for enhanced learning opportunities.", + "Ensures robust student support with access to resources like a health and wellness center, family support specialists, and multiple student advisers." + ], + "principal": "Paul\tLister", + "website_url": "https://www.sfusd.edu/school/tenderloin-community-elementary-school", + "donation_text": "Mail a check made out to Tenderloin Community Elementary School and mail it to:\nTenderloin Community Elementary School\n627 Turk St, San Francisco, CA 94102-3212, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CO-dRq2ZEm8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 133, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "tenderloin-community-elementary-school.jpg", + "logo": "tenderloin-community-elementary-school.jpg" + }, + { + "casid": "6041685", + "name": "Ulloa Elementary School", + "address": "2650 42nd Ave, San Francisco, CA 94116-2714, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.73738", + "longitude": "-122.49969", + "profile": { + "create": { + "about": "Ulloa Elementary School, home of the Sharks, fosters a vibrant community where students are not only academically enriched but also nurtured in their cognitive, physical, social, and emotional development to become successful global citizens.", + "about_bp": [ + "Safe and supportive community focused on individual growth and global citizenship.", + "Innovative classroom environments that promote critical thinking and growth mindsets.", + "Diverse extracurricular activities, leadership opportunities, and student clubs to enhance personal development.", + "Commitment to Diversity, Equity, and Inclusion, celebrating unique identities and building a deep sense of belonging.", + "Comprehensive before and after school programs catering to a wide range of student needs." + ], + "principal": "Mellisa Jew", + "website_url": "https://www.sfusd.edu/school/ulloa-elementary-school", + "donation_text": "Mail a check made out to Ulloa Elementary School and mail it to:\nUlloa Elementary School\n2650 42nd Ave, San Francisco, CA 94116-2714, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uK3JmvGBBmI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 263, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 79, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 75, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 68, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "ulloa-elementary-school.jpg", + "logo": "ulloa-elementary-school.png" + }, + { + "casid": "6041701", + "name": "Visitacion Valley Elementary School", + "address": "55 Schwerin St, San Francisco, CA 94134-2742, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.71268", + "longitude": "-122.41028", + "profile": { + "create": { + "about": "Visitacion Valley Elementary School fosters a culturally diverse community dedicated to service and partnership with families, providing an optimal and inclusive education to ensure students' lifelong success.", + "about_bp": [ + "Title I School with a commitment to serving a diverse student body.", + "Comprehensive literacy and math programs integrated into core curricula.", + "Strong emphasis on English Language Development with daily designated blocks.", + "Rich extended learning opportunities in creative and performing arts.", + "Focus on technology-based learning and 21st-century skills development." + ], + "principal": "Cephus Johnson", + "website_url": "https://www.sfusd.edu/school/visitacion-valley-elementary-school", + "donation_text": "Mail a check made out to Visitacion Valley Elementary School and mail it to:\nVisitacion Valley Elementary School\n55 Schwerin St, San Francisco, CA 94134-2742, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rLZfjWVpv1U?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 37, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 26, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "visitacion-valley-elementary-school.jpg", + "logo": "visitacion-valley-elementary-school.png" + }, + { + "casid": "6059919", + "name": "Visitacion Valley Middle School", + "address": "1971 Visitacion Ave, San Francisco, CA 94134-2700, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.7159", + "longitude": "-122.41305", + "profile": { + "create": { + "about": "Visitacion Valley Middle School, nestled in the heart of a culturally rich and diverse San Francisco neighborhood, is dedicated to fostering a thriving community focused on love, literacy, and liberation for all students.", + "about_bp": [ + "Home to the innovative Quiet Time program involving Transcendental Meditation, enhancing mental wellness and focus.", + "VVMS boasts a unique golfing facility and program, developed in partnership with the First Tee Foundation.", + "The school offers enhanced learning environments with block scheduling and Project-Based Learning to deepen student engagement.", + "Comprehensive arts and technology programs including modern band, visual arts, and computer science.", + "Strong emphasis on culturally responsive teaching and restorative practices to promote inclusivity and belonging." + ], + "principal": "Maya Baker", + "website_url": "https://www.sfusd.edu/school/visitacion-valley-middle-school", + "donation_text": "Mail a check made out to Visitacion Valley Middle School and mail it to:\nVisitacion Valley Middle School\n1971 Visitacion Ave, San Francisco, CA 94134-2700, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 342, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 42, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 92, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "visitacion-valley-middle-school.jpg", + "logo": "visitacion-valley-middle-school.png" + }, + { + "casid": "6041727", + "name": "West Portal Elementary School", + "address": "5 Lenox Way, San Francisco, CA 94127-1111, United States", + "neighborhood": "West Portal", + "priority": false, + "latitude": "37.74338", + "longitude": "-122.46464", + "profile": { + "create": { + "about": "West Portal School is a thriving TK through 5th grade educational institution in San Francisco, fostering student achievement and success through inclusive, equity-focused practices and a joyful, student-centered approach.", + "about_bp": [ + "Small class sizes through third grade ensure personalized attention and support.", + "A rich array of enrichment activities, including gardening, music, sports, and field trips, inspire joyful learning.", + "Strong emphasis on developing 21st Century skills such as critical thinking, problem-solving, and social skills.", + "Dedicated to inclusivity and growth mindset, ensuring students are supported both academically and socially.", + "Comprehensive after-school programs and specialized language and special education programs enhance student development." + ], + "principal": "Henry Wong", + "website_url": "https://www.sfusd.edu/school/west-portal-elementary-school", + "donation_text": "Mail a check made out to West Portal Elementary School and mail it to:\nWest Portal Elementary School\n5 Lenox Way, San Francisco, CA 94127-1111, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Y-1eY2_gDPw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 268, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 45, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "west-portal-elementary-school.jpg", + "logo": "west-portal-elementary-school.jpg" + }, + { + "casid": "0132241", + "name": "Willie L. Brown Jr. Middle School", + "address": "2055 Silver Ave, San Francisco, CA 94124-2032, United States", + "neighborhood": "Silver Terrace", + "priority": false, + "latitude": "37.73643", + "longitude": "-122.39892", + "profile": { + "create": { + "about": "Willie L. Brown Jr. Middle School offers a cutting-edge STEM curriculum, fostering students' STEM skills and social justice advocacy, within a state-of-the-art campus featuring advanced resources and unique learning environments.", + "about_bp": [ + "Project-based STEM education to prepare students for STEM degrees and careers.", + "State-of-the-art facilities including San Francisco's sole middle school science laboratory.", + "Priority high school admission for students attending all three years.", + "Comprehensive athletic programs including soccer, basketball, and more.", + "Extensive after school and arts enrichment programs available to all students." + ], + "principal": "Malea Mouton-Fuentes", + "website_url": "https://www.sfusd.edu/school/willie-l-brown-jr-middle-school", + "donation_text": "Mail a check made out to Willie L. Brown Jr. Middle School and mail it to:\nWillie L. Brown Jr. Middle School\n2055 Silver Ave, San Francisco, CA 94124-2032, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$g-WwaDQ3iss?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 317, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 62, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "willie-l-brown-jr-middle-school.jpg", + "logo": "willie-l-brown-jr-middle-school.png" + }, + { + "casid": "3830361", + "name": "Woodside Learning Center", + "address": "375 Woodside Ave, San Francisco, CA 94127-1221, United States", + "neighborhood": "Midtown Terrace", + "priority": false, + "latitude": "37.74588", + "longitude": "-122.45251", + "profile": { + "create": { + "about": "Woodside Learning Center (WLC) is a dedicated educational institution serving incarcerated youth at the San Francisco Juvenile Justice Center, focusing on reengaging these students with their academic progress and personal development.", + "about_bp": [ + "Expert staff specialize in differentiating instruction to cater to a wide range of learners, including those with IEPs and ELL needs.", + "Provides a safe and supportive learning environment amidst the challenges faced by students undergoing legal processes.", + "Offers various programs to aid student reintegration, including guest speakers, a culinary garden, and tutoring sessions.", + "Enables academic growth through project-based learning and media arts enrichment.", + "Supports students with comprehensive counseling and access to healthcare professionals." + ], + "principal": "Sylvia Lepe Reyes", + "website_url": "https://www.sfusd.edu/school/woodside-learning-center", + "donation_text": "Mail a check made out to Woodside Learning Center and mail it to:\nWoodside Learning Center\n375 Woodside Ave, San Francisco, CA 94127-1221, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 5, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 100, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 13, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "6041131", + "name": "Yick Wo Alternative Elementary School", + "address": "2245 Jones St, San Francisco, CA 94133-2207, United States", + "neighborhood": "Russian Hill", + "priority": false, + "latitude": "37.8019", + "longitude": "-122.41636", + "profile": { + "create": { + "about": "Yick Wo Elementary School is dedicated to fostering lifelong learning through enriching academic, social, emotional, artistic, and physical development experiences for its 240 students.", + "about_bp": [ + "High expectations and tailored teaching methods to address diverse learning styles.", + "An intimate campus setting fostering trust and supportive relationships.", + "Comprehensive enrichment programs in art, science, music, fitness, and sports.", + "Strong community partnerships and parental support through Yick Wo PTO.", + "Integrated field trips and real-world learning experiences." + ], + "principal": "Alfred Sanchez", + "website_url": "https://www.sfusd.edu/school/yick-wo-alternative-elementary-school", + "donation_text": "Mail a check made out to Yick Wo Alternative Elementary School and mail it to:\nYick Wo Alternative Elementary School\n2245 Jones St, San Francisco, CA 94133-2207, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$wGT75i8JJcg?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 87, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 53, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "yick-wo-alternative-elementary-school.jpg", + "logo": "yick-wo-alternative-elementary-school.jpg" + } +] \ No newline at end of file diff --git a/prisma/seed.ts b/prisma/seed.ts index 06d183b..a93dcc3 100644 --- a/prisma/seed.ts +++ b/prisma/seed.ts @@ -1,2022 +1,12 @@ -import { MetricCategory, PrismaClient, ProgramCategory } from "@prisma/client"; +import { PrismaClient } from "@prisma/client"; +import * as fs from "fs"; + const prisma = new PrismaClient(); + async function main() { - const schools = [ - // Balboa - { - name: "Balboa High School", - address: "1000 Cayuga Ave, San Francisco, CA", - neighborhood: "Excelsior", - priority: false, - img: "balboa.jpeg", - latitude: "37.722", - longitude: "-122.44041", - profile: { - create: { - about: `Balboa ("Bal") is a unique high school with a rich history and tradition.`, - about_bp: [ - `Bal was the first high school in SFUSD to organize into small learning communities called Pathways.`, - `In their Pathways, students build relationships with teachers, while engaging in rigorous academic, athletic, and artistic pursuits.`, - `The five Pathways at BAL are: CAST (Creative Arts for Social Transformation), GDA (Game Design Academy), Law Academy, PULSE (Peers United for Leadership, Service and Equity) and WALC (Wilderness, Art, and Literacy Collaborative)`, - `Bal is the only SFUSD high school with an on-campus teen health clinic.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/e/1FAIpQLSd5ZGgHnefy4wTZ4Iasus5MV8H9SM5XxccdBxIgy2R0qVEHFg/viewform", - donation_text: `Mail a check made out to Balboa High School and mail it to:\nBalboa High School\n1000 Cayuga Avenue\nSan Francisco, CA 94112`, - testimonial: `"We are the only high school to have an on-campus clinic. I find it really convenient, because my doctor is like across town from where I live, and I have to miss a whole day of school when I'm sick. Our clinic is COMPLETELY free, counselors, medicine, sex ed."`, - principal: "Dr. Catherine Arenson", - instagram_url: "http://www.instagram.com/balboahs", - facebook_url: - "https://www.facebook.com/pages/Balboa-High-School-California/140869085980447 ", - website_url: "https://www.sfusd.edu/school/balboa-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 1278, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 59, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 21, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 15, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 94, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 43, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 60, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Career-based Mentoring", - details: `All of Bal's Pathway programs need career-based mentoring, such as being a guest speaker`, - url: "", - img: "/volunteer/event/stock7.png", - category: ProgramCategory.volunteer, - }, - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteers", - details: `Provide support for school-sponsored events such as shows and field trips`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/balboa-high-school/4391", - category: ProgramCategory.donate, - }, - { - name: "PTSA", - details: ``, - url: "https://www.sfusd.edu/school/balboa-high-school/ptsa/cash-appeal", - category: ProgramCategory.donate, - }, - { - name: "WALC Pathway", - details: ``, - url: "https://walcsf.net/donate-new/", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Burton - { - name: "Burton High School", - address: "400 Mansell St, San Francisco, CA", - neighborhood: "Portola", - priority: true, - img: "burton.jpeg", - latitude: "37.72126", - longitude: "-122.4063", - profile: { - create: { - about: `Burton High School was established in 1984 as a result of a Consent Decree between the City of San Francisco and the NAACP, and is named after Phillip Burton, a member of the California Assembly who championed the civil rights of others. Burton also:`, - about_bp: [ - `Is a “wall-to-wall” academy school, offering specialized career and technical education in Arts & Media, Engineering, Health Sciences, and Performing Arts to students in the form of project-based learning classes`, - `Has a student body that represents every ethnicity, socio-economic group, and neighborhood of San Francisco`, - `Has an extensive partnership with the Bayview YMCA, and offers college classes by City College on Saturdays as well as after-school tutoring`, - `Offers after-school program called P.A.C.E (Pumas’ Academics, College & Career, and Enrichments) offers academic, community service based and skill building activities`, - `Burton has the only public high school marching band in the city!`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1xqB69hsheJEHtUcfcrAlqRYxCv7EsYpDgdqmktWxAWo/viewform", - donation_url: - "https://www.paypal.com/donate/?hosted_button_id=QPPWNFC966MYQ", - donation_text: `Donate to Burton's PTSA. All of your donation goes directly to programs benefitting teachers an students!`, - testimonial: `"I like my teachers because they really care about me and they’re always willing to go an extra mile for me when I need it."`, - testimonial_author: "Daniela Simental, student", - testimonial_video: - "https://www.youtube.com/embed/jwMX9zSxaA0?si=ch5T8GWlPJCxJHGz&start=192", - noteable_video: - "https://www.youtube.com/embed/jwMX9zSxaA0?si=bL4VMGrxRQ_xipUf", - principal: "Suniqua Thomas", - instagram_url: "https://www.instagram.com/burtonpumas/", - facebook_url: "https://www.facebook.com/burtonpumas/", - website_url: - "https://www.sfusd.edu/school/phillip-and-sala-burton-academic-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 1060, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 64, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 23, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 18, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 95, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 59, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 18, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock3.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock6.png", - category: ProgramCategory.volunteer, - }, - { - name: "Burton's Marching Band", - details: ``, - url: "https://www.paypal.com/donate/?hosted_button_id=Q95CE7W539Z2U", - category: ProgramCategory.donate, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/philip-sala-burton-high-school/4390", - category: ProgramCategory.donate, - }, - { - name: "Food Pantry", - details: ``, - url: "https://www.gofundme.com/f/j7awn-burton-high-school-food-pantry", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Downtown - { - name: "Downtown High School", - address: "693 Vermont St, San Francisco, CA", - neighborhood: "Potrero Hill", - priority: false, - img: "downtown.jpeg", - latitude: "37.761565", - longitude: "-122.40394", - profile: { - create: { - about: `Downtown High School (DHS) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.`, - about_bp: [ - `DHS represents a second chance for students to succeed and a chance to graduate from high school.`, - `DHS meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.`, - `DHS offers project-based learning with the following five projects: Acting for Critical Transformations (ACT), Get Out and Learn (GOAL), Making, Advocating and Designing for Empowerment (MADE), Music and Academics Resisting the System (MARS), and Wilderness Arts and Literacy Collaborative (WALC).`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/e/1FAIpQLSecfLxlYgdHcs4vZLtW-V8CKVT38kY4rc7qqb5ocj-X9J3jLQ/viewform", - donation_text: `Mail a check made out to Downtown High School and mail it to:\nDowntown High School\n693 Vermont St.\nSan Francisco, CA 94107`, - principal: "Todd Williams", - instagram_url: "www.instagram.com/downtown_hs", - website_url: "https://www.sfusd.edu/school/downtown-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 144, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 76, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 21, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 22, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 45, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 46, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 34, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock3.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/downtown-alternative-cont-high-school/4386", - category: ProgramCategory.donate, - }, - { - name: "WALC Pathway", - details: ``, - url: "https://walcsf.net/donate-new/", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Galileo - { - name: "Galileo Academy of Science & Technology", - address: "1150 Francisco St, San Francisco, CA", - neighborhood: "Russian Hill", - priority: false, - img: "galileo.jpeg", - latitude: "37.80379", - longitude: "-122.424145", - profile: { - create: { - about: `Galileo Academy of Science and Technology ("Galileo") is committed to providing equal access to all of their educational programs.`, - about_bp: [ - `Galileo offers three career technical Academic pathways: 1) Biotechnology, Environmental Science, Health Sciences, 2) Information Technology, Media, Arts, and 3) Hospitality, Travel and Tourism.`, - `Galileo provides servies that meet diverse learning needs, including extensive Honors, Advanced Placement (AP) courses, English Language Development (ELD), and Special Education Services.`, - `Galileo aims to provide support for their students for life, college, and beyond through programs like AVID with additional academic counseling for college prepation, the Wellness Center, and their Futurama after-school program with sports, arts, enrichment, and tutoring.`, - ], - volunteer_form_url: "https://forms.gle/H89nowxGSMLoBqTaA", - donation_text: `Donate to Galileo's PTSA. Donations support teacher/classroom stipends, educational enrichment grants, community events, World Party, and student leadership.`, - donation_url: "https://www.galileoptsa.org/donation-form", - testimonial: `"I like my teachers because they're very understanding and very supportive. I take some cool classes such as health academy, which is very interesting because we got to learn a lot of things related to medical field ... and we get to visit hospitals."`, - testimonial_author: "Senior in 2021 - Romaissa Khaldi", - testimonial_video: - "https://www.youtube.com/embed/KkDW52FEdsg?si=MCUnI9xwh_PhhchA&start=170", - noteable_video: - "https://www.youtube.com/embed/KkDW52FEdsg?si=lsyO4inn548P7bTE", - principal: "Ambar Panjabi", - instagram_url: "https://www.instagram.com/galileoasb/", - facebook_url: "https://www.facebook.com/GalileoAcademy/", - website_url: - "https://www.sfusd.edu/school/galileo-academy-science-technology", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 1900, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 57, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 23.6, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 11.5, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 89, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 71, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 50, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Academic After-School Tutors (Futurama)", - details: `Help students at Galileo with afterschool Math, - Science, English, Social Studies tutoring.`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Remote Graphic Design (w/ PTSA)", - details: `Support Galileo's online PTSA presence through remote-friendly design tasks!`, - url: "", - img: "/volunteer/tutoring/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer (with PTSA) ", - details: `Help Galileo's PTSA organize Galileo-unique events like World Party and with projects for school beautification.`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/galileo-academy-science-tech/4398", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Ida B. Wells - { - name: "Ida B. Wells High School", - address: "1099 Hayes St, San Francisco, CA", - neighborhood: "Lower Haight", - priority: false, - img: "idabwells.jpeg", - latitude: "37.7751", - longitude: "-122.433985", - profile: { - create: { - about: `Ida B. Wells (IBW) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.`, - about_bp: [ - `IBW represents a second chance for students who are 16+ to succeed and a chance to graduate from high school.`, - `IBW meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.`, - `IBW's special programs include Culinary Arts, Drama, Computer Applications and Robotics, Ceramics, and Surfing.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/e/1FAIpQLSf71Z-9hmWL13xOeIDiVP2atl3Wj4BHMnsOrowM9XAFycvIhg/viewform", - donation_text: `Mail a check made out to Ida B. Wells High School and mail it to:\nIda B. Wells\n1099 Hayes St.\nSan Francisco, CA 94117`, - testimonial: `"I love this school the teachers are awesome and the students are great!!! I graduated from here on time!! And I was behind like 150 credits and caught up within a year!! Thank you Ida b wells"`, - testimonial_author: "Reyanna L.", - principal: "Katie Pringle", - instagram_url: "https://www.instagram.com/sf_idabwellshs", - facebook_url: - "https://www.facebook.com/pages/Ida-B-Wells-Continuation-High-School/1920936394824346", - website_url: "https://www.sfusd.edu/school/ida-b-wells-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 183, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 67, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 23, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 27, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 59, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 18, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 0, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock7.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/ida-b-wells-high-school/4385", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Independence - { - name: "Independence High School", - address: "1350 7th Ave, San Francisco, CA", - neighborhood: "Inner Sunset", - priority: false, - img: "independence.jpeg", - latitude: "37.76309", - longitude: "-122.46388", - profile: { - create: { - about: `Independence is a small alternative high school in SFUSD.`, - about_bp: [ - `Independence serves students who have significant obligations outside of school, including family and employment.`, - `Independence creates a custom schedule for each student to meet their needs.`, - `The school offers a unique hexamester system to maximize opportunities for students.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/e/1FAIpQLScCyflGm6ePuNRFLQ4rCYYgHwzxWzBLkDtJjf1bgziWwwy7bg/viewform", - donation_text: `Mail a check made out to Independence High School and mail it to:\nIndependence High School\n1350 7th Ave\nSan Francisco, CA 94122\n`, - testimonial: `"I've met some of the most amazing, resilient people, grown, and had an amazing time all in all----this school is truly a hidden gem in the school system."`, - principal: "Anastasia (Anna) Klafter", - instagram_url: "https://www.instagram.com/sfindependence/", - facebook_url: "https://www.facebook.com/sfindependence/", - website_url: "https://www.sfusd.edu/school/independence-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 162, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 48, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 3, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 22, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 85, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 46, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 34, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock6.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/independence-high-school/4388", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // SF International - { - name: "SF International High School", - address: "655 De Haro St, San Francisco, CA", - neighborhood: "Potrero Hill", - priority: false, - img: "international.jpeg", - latitude: "37.76169", - longitude: "-122.40082", - profile: { - create: { - about: `SF International is a small public high school that offers a unique program designed for recent immigrant students.`, - about_bp: [ - `All subjects teach English development through meaningful projects that keep students motivated and connected to their learning.`, - `SF International offers programs every day until 6:00 PM for all students.`, - `Community volunteers interested in supporting SF International should go through nonprofit RIT (Refugee & Immigrant Transitions).`, - ], - volunteer_form_url: "https://www.tfaforms.com/5026463", - donation_text: `Mail a check made out to SF Interntional High School and mail it to:\nSF International High School\n655 De Haro St.\nSan Francisco, CA 94107\n`, - testimonial: `"I like everything about my school, we all have the same experience that makes us be a good community, we are all English learners with big goals. Our school is small and we receive a lot of attention from the teachers that every day pushes us to be a great student."`, - principal: "Nick Chan", - instagram_url: "http://www.instagram.com/sfihuskies", - website_url: - "https://www.sfusd.edu/school/san-francisco-international-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 275, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 76, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 88, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 3, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 48, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English Proficiency", - value: 12, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math Proficiency", - value: 13, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Daytime classroom support", - details: `Academic support for students during class`, - url: "", - img: "/volunteer/event/stock6.png", - category: ProgramCategory.volunteer, - }, - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock7.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/san-francisco-int-l-high-school/98266", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // June Jordan - { - name: "June Jordan School for Equity", - address: "325 La Grande Ave, San Francisco, CA", - neighborhood: "Excelsior", - priority: true, - img: "junejordan.jpeg", - latitude: "37.7195", - longitude: "-122.42539", - profile: { - create: { - about: `June Jordan is a small alternative high school named after activist June Jordan. The school was founded through community organizing by a group of teachers, parents, and youth.`, - about_bp: [ - `As a school for Social Justice serving primarily working class communities of color, the mission of JJSE is not just to prepare students for college but to also be positive agents of change in the world.`, - `The school's three pillars are Community, Social Justice, and Independent Thinking.`, - `Motorcycle Mechanics class and is home to a community farm.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1hVYScQ93TU03a5qh3pyoxVYFp2_xmkAj3-xGH20qNrg/viewform?edit_requested=true", - donation_url: "https://smallschoolsforequity.org/donate/", - donation_text: - "Donate to June Jordan on the Small Schools for Equity website. All of your donation goes directly to programs benefitting teachers and youth!", - testimonial: `"June Jordan is a breath of fresh air myself and many others. There is a strong and immediate sense of community and family. The school is aimed towards helping students, specifically of Latinx or African American descent, thrive in all aspects of a academic scholar. Most schools are tied strictly towards academics but June Jordan has a different approach. They acknowledge the fact that a single being and their destiny should not be overlooked by a grade book. We build leaders at this school, we build demonstrators, organizers, and creators."`, - principal: "Amanda Chui", - instagram_url: "https://www.instagram.com/officialjjse", - facebook_url: "https://www.facebook.com/JuneJordanSchoolforEquity", - website_url: "https://www.sfusd.edu/school/june-jordan-school-equity", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 215, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 64, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 48, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 28, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 85, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 19, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 8, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock6.png", - category: ProgramCategory.volunteer, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Lincoln - { - name: "Lincoln High School", - address: "2162 24th Ave, San Francisco, CA", - neighborhood: "Parkside/Sunset", - priority: false, - img: "lincoln.jpeg", - latitude: "37.74729", - longitude: "-122.48109", - profile: { - create: { - about: `Lincoln is one of the three largest high schools in SFUSD. The school features:`, - about_bp: [ - `Partnerships with 14 different community agencies`, - `Four CTE (Career Technical Education) funded multi-year Academy Programs: CTE Business Academy, CTE Digital Media Design Academy, CTE Green Academy, and CTE Teacher Academy`, - `Two pathways: Art & Architecture Pathway (Formerly ACE Architecture, Construction, Engineering) and the Biotechnology Pathway`, - `Services for special education (severely and non-severely impaired) students`, - `A student newspaper called the "Lincoln Log"`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1iO_ex9OJK81xD9EQ8D4SZHjhJDhgyLcdb2IQq5u4rDg/edit", - donation_url: - "https://www.paypal.com/donate/?cmd=_s-xclick&hosted_button_id=RHY6FMNAJX8EE&source=url&ssrt=1713743821077", - donation_text: "Donate to Lincoln's PTSA.", - testimonial: `"Here at Lincoln you've got tons of supportive staff and also you'll be open to major student leadership opportunities."`, - testimonial_author: "Kelly Wong, student", - testimonial_video: - "https://www.youtube.com/embed/PfHdxukonSg?si=RvM3VjT_SAPSI0Sb&start=225", - noteable_video: - "https://www.youtube.com/embed/PfHdxukonSg?si=Q3d3ieVn2fdtD_Ka", - principal: "Sharimar Manalang", - instagram_url: "https://www.instagram.com/alhsgreenacademy/", - facebook_url: "https://www.facebook.com/groups/191813114254895/", - website_url: - "https://www.sfusd.edu/school/abraham-lincoln-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 1997, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 48, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 16, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 14, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 94, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 55, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 34, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Alumni Association", - details: `Support the association in their efforts to raise funds for a variety of school and student needs`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/event/stock7.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/abraham-lincoln-high-school/4399", - category: ProgramCategory.donate, - }, - { - name: "Lincoln High School Alumni Association", - details: ``, - url: "https://lincolnalumni.com/donations/", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Lowell - { - name: "Lowell High School", - address: "1101 Eucalyptus Dr, San Francisco, CA", - neighborhood: "Lakeshore", - priority: false, - img: "lowell.jpeg", - latitude: "37.73068", - longitude: "-122.48392", - profile: { - create: { - about: `Established in 1856, Lowell High School is the oldest public high school west of Mississippi, recognized as one of California's highest-performing public high scools.`, - about_bp: [ - `They have been honored as a National Blue Ribbon school 4 times, and a California Distinguished School 8 times and ranked #1 in the Western region for the number of Advanced Placement (AP) exams offered (31).`, - `With a wide range of academic opportunities, Lowell has the largest Visual and Performing Arts Department in the city and a World Language Department with instruction in eight languages.`, - `Lowell aims to connect PTSA and Alumni meaningfully within its community.`, - `One of the only SFUSD schools with an established journalism program and student-run publication, The Lowell.`, - ], - volunteer_form_url: "https://forms.gle/PWzEnLfgVWxcMDRz5", - donation_url: - "https://secure.givelively.org/donate/pta-california-congress-of-parents-teachers-students-inc-san-francisco-ca-8431854/lowell-ptsa-2023-2024-fundraising", - donation_text: - "Donate to Lowell's PTSA. Your donation will fund grants for student organizations, clubs, and teachers. It will also fund college readiness, diversity and inclusion, wellness, and hospitality programs. Any remainder at the end of the school year will go into our rainy day fund for next year.", - noteable_video: - "https://www.youtube.com/embed/c4BiiF55SvU?si=9XB3PhXZAP3ooIZn", - principal: "Michael Jones", - instagram_url: "https://www.instagram.com/lowellhs/?hl=en", - facebook_url: - "https://www.facebook.com/pages/Lowell-High-School-San-Francisco/109617595723992", - website_url: "https://www.sfusd.edu/school/lowell-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 2632, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 29, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 4.6, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 6.9, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 99, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 93, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 83, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "College Readiness Workshops", - details: `Help support the PTSA's college readiness workshops for Lowell, providing essay writing advice, college-picking advice, and workshops.`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Join a Lowell PTSA committee event as a community volunteer to help with occasional events (Beautification Day, Graduation, Dances) or even sign up to routinely help with Lowell's on campus bookstore!`, - url: "", - img: "/volunteer/event/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Remote (Website, Social Media, Newsletter)", - details: `Help the PTSA maintain their online presence through remote social media, website, and newsletter maintenace!`, - url: "https://docs.google.com/forms/d/e/1FAIpQLSd_ZykYI3GM9GZOVtnq2x4cnN6GmEwo0rBKhI3nfWwBexl65A/viewform", - img: "/volunteer/tutoring/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/lowell-high-school/4400", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Mission - { - name: "Mission High School", - address: "3750 18th St, San Francisco, CA", - neighborhood: "Mission", - priority: true, - img: "mission.jpeg", - latitude: "37.7616", - longitude: "-122.42698", - profile: { - create: { - about: `Mission High is the oldest comprehensive public school in San Francisco founded in 1890. The school:`, - about_bp: [ - `Is one of the most diverse schools in the San Francisco public school district, and beginning in the Fall of the 2007/08 school year, the Mission faculty collectively created a working definition of Anti-Racist/Equity education`, - `Offers six Career and Tech Ed pathways: Environmental Science, Fire Science and EMS Academy, Media Arts, Peer Resources, Public Health, and Urban Agriculture`, - `Has a majority of its students learning English as a second language (or perhaps as third or fourth language)`, - `Is a historical landmark. It even has its own museum, founded in 1995 by a former science teacher, for the purpose of preserving and displaying the rich history of Mission High School`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1oene039Zn-fBGxjI2iS2B9n0O-U2BhtDZl-td9M0hNs", - donation_url: "https://missionhigh.org/make-an-impact/", - donation_text: - "Donate to the Mission High Foundation. The foundation supports educator grants, the Annual College Trip, the food and agriculture program, college preparation, and student wellness.", - testimonial: `"I have never seen in other schools' teachers that worry a lot about the student...That’s the difference about Mission, the teachers genuinely want their students to succeed."`, - testimonial_author: "Nathaly Perez", - testimonial_video: - "https://www.youtube.com/embed/cmNvxruXUG8?si=dpNJPOM768R3skBM", - principal: "Valerie Forero", - instagram_url: "https://www.instagram.com/missionhighfoundation/", - facebook_url: "https://www.facebook.com/sfmissionhs/", - website_url: "https://www.sfusd.edu/school/mission-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 1041, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 56, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 38, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 20, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 80, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 26, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 11, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/mission-high-school/4401", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // John O'Connell - { - name: "John O'Connell Technical High School", - address: "2355 Folsom St, San Francisco, CA", - neighborhood: "Mission", - priority: true, - img: "johnoconnell.jpeg", - latitude: "37.75956", - longitude: "-122.41454", - profile: { - create: { - about: `JOCHS is a small, academic-focused high school with several career pathways. The school provides:`, - about_bp: [ - `Four integrated Pathways for grades 11-12: Building and Construction Trades, Entrepreneurship and Culinary Arts, Health and Behavioral Sciences, and Public Service. During this time students are assigned professional internships to give them real world experience`, - `For grades 9-10, “house” classes that lead into Pathways when upperclassmen: Humanities and Social Justice, Science, Communication and Sustainability, and Liberation and Resistance Studies`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1SEjtZpA_mx6p-7PnUujdyL-skjRQtn07KBgXV0tPo-w", - donation_text: `Mail a check made out to John O'Connell High School to:\nJohn O'Connell High School\n2355 Folsom St.\nSan Francisco, CA, 94110`, - testimonial: `“A few of the clubs that I participate in are: Black Student Union, Student Body, Yearbook, and a couple more. I really love my school. I really love how they support us unconditionally…”`, - testimonial_author: "Lonnie, student", - testimonial_video: - "https://www.youtube.com/embed/dHSG-DS_Vko?si=xSmHawJ6IbiQX-rr&start=231", - noteable_video: - "https://www.youtube.com/embed/dHSG-DS_Vko?si=xlpYHFmZIBAkh4yd", - principal: "Amy Abero & Susan Ryan (Co-Principals)", - instagram_url: "https://www.instagram.com/oc_youknow/?hl=en", - facebook_url: "https://www.facebook.com/OChighschoolSFUSD/", - website_url: "https://www.sfusd.edu/school/john-oconnell-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 506, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 65, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 29, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 24, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 90, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 37, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 6, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Healthy Eating Physical Activity (HEPA)", - details: `Support workshops and activities that promote health`, - url: "", - img: "/volunteer/event/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/tutoring/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/john-o-connell-high-school/4402", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Ruth Asawa - { - name: "Ruth Asawa School of the Arts (SOTA)", - address: "555 Portola Dr, San Francisco, CA", - neighborhood: "Diamond Heights", - priority: false, - img: "ruthasawa.jpeg", - latitude: "37.74538", - longitude: "-122.44965", - profile: { - create: { - about: `Ruth Asawa School of the Arts (SOTA) is named after renowned sculptor Ruth Asawa who was a passionate advocate for arts in education.`, - about_bp: [ - `SOTA is an audition-based, alternative high school committed to fostering equity and excelling in both arts and academics.`, - `Rooted in its vision of artistic excellence, SOTA offers a unique educational experience emphasizing arts, with 6 specialized programs to reflect San Francisco's cultural diversity: DANCE: Conservatory Dance, World Dance, MUSIC: Band, Orchestra, Guitar, Piano, Vocal, and World Music, MEDIA & FILM, THEATRE: Acting, Musical Theatre, THEATER TECHNOLOGY: Costumes, Stagecraft, VISUAL: Drawing & Painting, Architecture & Design.`, - `To integrate arts and academics, all SOTA students have art blocks every afternoon, and uniquely, they have an Artists-In-Residence Program partly funded through donations.`, - `Co-located with The Academy`, - ], - volunteer_form_url: "https://forms.gle/bRnDEhzXYDD8mhcB6", - donation_url: "https://app.arts-people.com/index.php?donation=rasa", - donation_text: `Donate to SOTA's PTSA, which funds artists in residence on campus.`, - testimonial: `"We have specialized departments ... So it's the perfect school for any aspiring artist."`, - testimonial_author: "Ava, Student", - testimonial_video: - "https://www.youtube.com/embed/gouN1t1GxE0?si=ovResdGqAYsklGlF", - noteable_video: - "https://www.youtube.com/embed/zXcnXNEvjoo?si=7-tJ7DywSRThJMw8", - principal: "Stella Kim", - instagram_url: "https://www.instagram.com/ruthasawasota/", - facebook_url: "https://www.facebook.com/AsawaSOTA/", - website_url: - "https://www.sfusd.edu/school/ruth-asawa-san-francisco-school-arts", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 700, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 17, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 1.8, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 11.1, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 97, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 84, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 53, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Help tutor SOTA students in STEM subjects.`, - url: "", - img: "/volunteer/tutoring/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Staff Appreciation Event Volunteer", - details: `Support the PTSA show appreciation for staff and Artists-In-Residents both with in person distribution or remote video editing support!`, - url: "", - img: "/volunteer/event/stock8.png", - category: ProgramCategory.volunteer, - }, - { - name: "Audition Day Volunteer", - details: `Support budding students, faculty, and parents during the SOTA audition process through physical audition day volunteering.`, - url: "", - img: "/volunteer/event/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/academy-of-arts-sciences/4393", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // The Academy - { - name: "The Academy", - address: "550 Portola Dr #250, San Francisco, CA", - neighborhood: "Diamond Heights", - priority: false, - img: "theacademy.jpeg", - latitude: "37.745499", - longitude: "-122.451563", - profile: { - create: { - about: `The Academy fosters one of the smallest school learning environments, where teachers can closely engage with students, hands-on administrators, and families for a stronger, supportive community.`, - about_bp: [ - `With a focus on individualized support, every Academy student receives college counseling through their four years with 2 full-time academic and dedicated college counselors.`, - `They offer a range of extracurricular activities including academic tutoring, enrichment activities, and arts instruction in unique disciplines such as visual arts, modern rock band, photography, and theatre.`, - `The Academy aims for a holistic educational experience with comprehensive athletics program and various student support services, including counseling and health and wellness resources.`, - `Co-located with Ruth Asawa School of the Arts, on the first floor of the former McAteer Main Building.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1px5HE5JPNp5b5emzPVhadVDh6lRy2r_DWLbXxNvzNrA/edit", - donation_url: - "https://www.paypal.com/paypalme/AcademySFatMcateer?country_x=US&locale_x=en_US", - donation_text: `Donate to the Academy's PTSA. Your donation is used to support teacher classroom needs, and student events like prom and field trips.`, - noteable_video: - "https://drive.google.com/file/d/1GdVL6l4z1dCBDBfnwaRlIVvr9o_KxTLe/preview", - principal: "Hollie Mack", - instagram_url: "http://www.instagram.com/academywolvessf", - facebook_url: "https://www.facebook.com/AcademyWolvesSF", - website_url: - "https://www.sfusd.edu/school/academy-san-francisco-mcateer", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 360, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 53, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 14.4, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 24.9, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 92, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 42, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 13, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Support Academy students with STEM subjects with their afterschool program on a regular or ad-hoc basis.`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Culinary & Arts Mentor Volunteer", - details: `Help provide real life skills to Academy students with culinary mentorship and creative expression within their afterschool program.`, - url: "", - img: "/volunteer/event/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Remote Coding Teacher", - details: `Help host afterschool, remote coding classes for The Academy students.`, - url: "", - img: "/volunteer/tutoring/stock5.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/school-of-the-arts-high-school/99136", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Thurgood Marshall - { - name: "Thurgood Marshall High School", - address: "45 Conkling St, San Francisco, CA", - neighborhood: "Bayview", - priority: true, - img: "thurgood.jpeg", - latitude: "37.73609", - longitude: "-122.40211", - profile: { - create: { - about: `Thurgood Marshall High School was founded in 1994, and is located in the southeastern part of San Francisco. The school offers:`, - about_bp: [ - `A refurbished and expanded College & Career Center, a fully staffed Wellness Center, a Peer Resources Program, and a daily after-school tutoring program`, - `A special program for recent immigrants and newcomers.`, - `Health, housing, immigration, financial support resources for families`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1TlrrJZZWcKXeZdAKuF2CQkAmTtRXTmGEe3NkRTFYBNE", - donation_url: - "https://thurgood-marshall-academic-high-school-pto.square.site/", - donation_text: `Donate to Thurgood Marshall's PTSA`, - testimonial: `“I liked this project because we got to practice English and the other person I was working with got to practice her Spanish.” - Darlin on the “Empathy Project” where native English speakers and English learners practice languages and learn from each other`, - testimonial_author: "Darlin", - testimonial_video: - "https://www.youtube.com/embed/nUIBNpi3VTA?si=2mdebQexdqQuB-Ke", - noteable_video: - "https://www.youtube.com/embed/NclnGjU3zJM?si=g9bnDzFsl3mvGRgM", - principal: "Sarah Ballard-Hanson", - instagram_url: "https://www.instagram.com/marshallphoenix/?hl=en", - facebook_url: "https://www.facebook.com/groups/20606012934/", - website_url: - "https://www.sfusd.edu/school/thurgood-marshall-academic-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 457, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 66, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 62, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 11, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 72, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 12, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 5, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Family Services", - details: `Help ensure student families have access to basic services`, - url: "", - img: "/volunteer/event/stock3.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/thurgood-marshall-academic-high-school/4394", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Wallenberg - { - name: "Wallenberg High School", - address: "40 Vega St, San Francisco, CA", - neighborhood: "Western Addition", - priority: false, - img: "wallenberg.jpeg", - latitude: "37.780365", - longitude: "-122.44621", - profile: { - create: { - about: `Founded in 1981, the Raoul Wallenberg Traditional High School (or "Wallenberg") honors the renowned Swedist diplomat, guided by personal responsibility, compassion, honesty, and integrity for equitable educational outcomes that enhance creativity, self-discipline, and citizenship.`, - about_bp: [ - `Wallenberg provides a rigorous educational program designed to prepare its diverse student body for success in college, careers, and life, including through diagnostic counseling, and college prep (including the AVID program).`, - `Wallenberg has three future-focused pathways: Biotechnology, Computer Science (SIM - Socially Inclusive Media), and Environmental Science, Engineering, and Policy (ESEP)`, - `Wallenberg focuses on close student-staff relations to foster a culture of support and service that encourages ongoing interaction, assessment, and feedback to promote high achievement and the joy of learning. Parents are actively encouraged to engage with the school community.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/e/1FAIpQLSdlALlSlZCTko4qBryLTunuIVcZGKmVeUl2MA-OPbnoOG15Lg/viewform", - donation_url: - "https://www.paypal.com/donate/?hosted_button_id=NX4GK2S6GQAWN", - donation_text: `Donate to Wallenberg's PTSA. The PTSA aims to fund programs and events that benefit all Wallenberg students and teachers: building community, inclusion, and tolerance, sponsoring the Reflections Arts Program and Wallapalooza Art Festival, supporting technology and athletic programs, and honoring our teachers by providing them with stipends.`, - testimonial: `"I really like my teachers because they always want you to perform at your best ... I feel like Wallenberg is a great school for students who want to be in a small community where everyone knows each other and where students and teachers have greater relationships"`, - testimonial_author: "Ryan", - testimonial_video: - "https://www.youtube.com/embed/rtSYrHOxN28?si=rEoQTInfas1UBk44", - noteable_video: - "https://www.youtube.com/embed/rtSYrHOxN28?si=binBgRGAemfDKbzb", - principal: "Tanya Harris", - instagram_url: "https://www.instagram.com/wallenberghs/", - facebook_url: - "https://www.facebook.com/pages/Raoul-Wallenberg-Traditional-High-School/113129858701251", - website_url: - "https://www.sfusd.edu/school/raoul-wallenberg-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 549, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 43, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 10.9, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 21.3, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 94, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 73, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 37, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Campus Cleanup", - details: `Help create a better environment for incoming and current Wallenberg students through cleaning up the gardens and picking up trash.`, - url: "https://www.wallenbergpta.org/blog/categories/volunteers-needed", - img: "/volunteer/event/stock9.png", - category: ProgramCategory.volunteer, - }, - { - name: "Orientation and Community Day Volunteers", - details: `Support incoming Wallenberg students by volunteering your time to the Wallenberg PTA.`, - url: "", - img: "/volunteer/event/stock8.png", - category: ProgramCategory.volunteer, - }, - { - name: "STEM tutor", - details: `Support Wallenberg students through afterschool tutoring.`, - url: "", - img: "/volunteer/tutoring/stock2.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/raoul-wallenberg-trad-high-school/4389", - category: ProgramCategory.donate, - }, - { - name: "Zelle to the email wallenbergptsa@gmail.com", - details: ``, - url: "", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - // Washington - { - name: "George Washington High School", - address: "600 32nd Ave, San Francisco, CA", - neighborhood: "Richmond", - priority: false, - img: "washington.jpeg", - latitude: "37.77784", - longitude: "-122.49174", - profile: { - create: { - about: `Washington is one of the largest high schools in SFUSD, opened in 1936.`, - about_bp: [ - `Students can choose from more than 100 course offerings, with 52 sections of honors and AP classes.`, - `Students can also choose from over 50 campus clubs and student groups and a full inter-scholastic athletic program, with 22 teams in 15 sports.`, - `Washington has an active Richmond Neighborhood program, Wellness Center, Parent Teacher Student Association, and Alumni Association.`, - `Washington offers a sweeping view of the Golden Gate Bridge from its athletic fields.`, - ], - volunteer_form_url: - "https://docs.google.com/forms/d/1nEVr6vgTdrHEWnmQvoMXWS6eDxRx20imWMNh7pBUT1Y/edit", - donation_url: "https://www.gwhsptsa.com/donate", - donation_text: `Donate to the the school's PTSA`, - testimonial: `"I went from a 2.8 student to a 3.7 student because teachers believed in me and I in them. Washington was one of the best schools for academics, sports, and overall community."`, - principal: "John Schlauraff", - instagram_url: "http://www.instagram.com/gwhsofficial", - facebook_url: - "https://www.facebook.com/profile.php?id=100067738675467", - website_url: - "https://www.sfusd.edu/school/george-washington-high-school", - }, - }, - metrics: { - createMany: { - data: [ - { - name: "Students Enrolled", - value: 2070, - unit: "", - category: MetricCategory.about, - }, - { - name: "Free/Reduced Lunch", - value: 46, - unit: "%", - category: MetricCategory.about, - }, - { - name: "English Language Learners", - value: 12, - unit: "%", - category: MetricCategory.about, - }, - { - name: "Students with Special Needs", - value: 11, - unit: "%", - category: MetricCategory.about, - }, - { - name: "High School Graduation Rate", - value: 93, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "English proficiency", - value: 74, - unit: "%", - category: MetricCategory.outcome, - }, - { - name: "Math proficiency", - value: 57, - unit: "%", - category: MetricCategory.outcome, - }, - ], - skipDuplicates: true, - }, - }, - programs: { - createMany: { - data: [ - { - name: "Tutoring", - details: `Provide one-on-one academic support to students on a range of topics`, - url: "", - img: "/volunteer/tutoring/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Event Volunteer", - details: `Provide support for school-sponsored events`, - url: "", - img: "/volunteer/event/stock1.png", - category: ProgramCategory.volunteer, - }, - { - name: "Career Prep and Mentoring", - details: `Provide students with mentoring, career insight and readiness`, - url: "", - img: "/volunteer/tutoring/stock4.png", - category: ProgramCategory.volunteer, - }, - { - name: "Donors Choose", - details: ``, - url: "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/george-washington-high-school/4403#projects", - category: ProgramCategory.donate, - }, - { - name: "GWHS Alumni Association", - details: ``, - url: "https://givebutter.com/sfgwhsalumni", - category: ProgramCategory.donate, - }, - { - name: "Richmond Neighborhood Center", - details: ``, - url: "https://form-renderer-app.donorperfect.io/give/the-richmond-neighborhood-center/new-online-donation", - category: ProgramCategory.donate, - }, - ], - skipDuplicates: true, - }, - }, - }, - ]; + const fn = "prisma/seed.json"; + const schools = JSON.parse(fs.readFileSync(fn, "utf-8")); for (const school of schools) { await prisma.school.create({ data: school, diff --git a/prisma/seed_original.json b/prisma/seed_original.json new file mode 100644 index 0000000..3e9bdc6 --- /dev/null +++ b/prisma/seed_original.json @@ -0,0 +1,1961 @@ +[ + { + "name": "Balboa High School", + "address": "1000 Cayuga Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": false, + "img": "balboa.jpeg", + "latitude": "37.722", + "longitude": "-122.44041", + "casid": "3830288", + "profile": { + "create": { + "about": "Balboa (\"Bal\") is a unique high school with a rich history and tradition.", + "about_bp": [ + "Bal was the first high school in SFUSD to organize into small learning communities called Pathways.", + "In their Pathways, students build relationships with teachers, while engaging in rigorous academic, athletic, and artistic pursuits.", + "The five Pathways at BAL are: CAST (Creative Arts for Social Transformation), GDA (Game Design Academy), Law Academy, PULSE (Peers United for Leadership, Service and Equity) and WALC (Wilderness, Art, and Literacy Collaborative)", + "Bal is the only SFUSD high school with an on-campus teen health clinic." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSd5ZGgHnefy4wTZ4Iasus5MV8H9SM5XxccdBxIgy2R0qVEHFg/viewform", + "donation_text": "Mail a check made out to Balboa High School and mail it to:\nBalboa High School\n1000 Cayuga Avenue\nSan Francisco, CA 94112", + "testimonial": "\"We are the only high school to have an on-campus clinic. I find it really convenient, because my doctor is like across town from where I live, and I have to miss a whole day of school when I'm sick. Our clinic is COMPLETELY free, counselors, medicine, sex ed.\"", + "principal": "Dr. Catherine Arenson", + "instagram_url": "http://www.instagram.com/balboahs", + "facebook_url": "https://www.facebook.com/pages/Balboa-High-School-California/140869085980447 ", + "website_url": "https://www.sfusd.edu/school/balboa-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1278, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 59, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 94, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 43, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 60, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Career-based Mentoring", + "details": "All of Bal's Pathway programs need career-based mentoring, such as being a guest speaker", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteers", + "details": "Provide support for school-sponsored events such as shows and field trips", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/balboa-high-school/4391", + "category": "donate" + }, + { + "name": "PTSA", + "details": "", + "url": "https://www.sfusd.edu/school/balboa-high-school/ptsa/cash-appeal", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Burton High School", + "address": "400 Mansell St, San Francisco, CA", + "neighborhood": "Portola", + "priority": true, + "img": "burton.jpeg", + "latitude": "37.72126", + "longitude": "-122.4063", + "casid": "3830254", + "profile": { + "create": { + "about": "Burton High School was established in 1984 as a result of a Consent Decree between the City of San Francisco and the NAACP, and is named after Phillip Burton, a member of the California Assembly who championed the civil rights of others. Burton also:", + "about_bp": [ + "Is a “wall-to-wall” academy school, offering specialized career and technical education in Arts & Media, Engineering, Health Sciences, and Performing Arts to students in the form of project-based learning classes", + "Has a student body that represents every ethnicity, socio-economic group, and neighborhood of San Francisco", + "Has an extensive partnership with the Bayview YMCA, and offers college classes by City College on Saturdays as well as after-school tutoring", + "Offers after-school program called P.A.C.E (Pumas’ Academics, College & Career, and Enrichments) offers academic, community service based and skill building activities", + "Burton has the only public high school marching band in the city!" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1xqB69hsheJEHtUcfcrAlqRYxCv7EsYpDgdqmktWxAWo/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=QPPWNFC966MYQ", + "donation_text": "Donate to Burton's PTSA. All of your donation goes directly to programs benefitting teachers an students!", + "testimonial": "\"I like my teachers because they really care about me and they’re always willing to go an extra mile for me when I need it.\"", + "testimonial_author": "Daniela Simental, student", + "testimonial_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=ch5T8GWlPJCxJHGz&start=192", + "noteable_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=bL4VMGrxRQ_xipUf", + "principal": "Suniqua Thomas", + "instagram_url": "https://www.instagram.com/burtonpumas/", + "facebook_url": "https://www.facebook.com/burtonpumas/", + "website_url": "https://www.sfusd.edu/school/phillip-and-sala-burton-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1060, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 95, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 18, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Burton's Marching Band", + "details": "", + "url": "https://www.paypal.com/donate/?hosted_button_id=Q95CE7W539Z2U", + "category": "donate" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/philip-sala-burton-high-school/4390", + "category": "donate" + }, + { + "name": "Food Pantry", + "details": "", + "url": "https://www.gofundme.com/f/j7awn-burton-high-school-food-pantry", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Downtown High School", + "address": "693 Vermont St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "downtown.jpeg", + "latitude": "37.761565", + "longitude": "-122.40394", + "casid": "3830064", + "profile": { + "create": { + "about": "Downtown High School (DHS) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "DHS represents a second chance for students to succeed and a chance to graduate from high school.", + "DHS meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "DHS offers project-based learning with the following five projects: Acting for Critical Transformations (ACT), Get Out and Learn (GOAL), Making, Advocating and Designing for Empowerment (MADE), Music and Academics Resisting the System (MARS), and Wilderness Arts and Literacy Collaborative (WALC)." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSecfLxlYgdHcs4vZLtW-V8CKVT38kY4rc7qqb5ocj-X9J3jLQ/viewform", + "donation_text": "Mail a check made out to Downtown High School and mail it to:\nDowntown High School\n693 Vermont St.\nSan Francisco, CA 94107", + "principal": "Todd Williams", + "instagram_url": "www.instagram.com/downtown_hs", + "website_url": "https://www.sfusd.edu/school/downtown-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 144, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 45, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 46, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 34, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/downtown-alternative-cont-high-school/4386", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Galileo Academy of Science & Technology", + "address": "1150 Francisco St, San Francisco, CA", + "neighborhood": "Russian Hill", + "priority": false, + "img": "galileo.jpeg", + "latitude": "37.80379", + "longitude": "-122.424145", + "casid": "3831765", + "profile": { + "create": { + "about": "Galileo Academy of Science and Technology (\"Galileo\") is committed to providing equal access to all of their educational programs.", + "about_bp": [ + "Galileo offers three career technical Academic pathways: 1) Biotechnology, Environmental Science, Health Sciences, 2) Information Technology, Media, Arts, and 3) Hospitality, Travel and Tourism.", + "Galileo provides servies that meet diverse learning needs, including extensive Honors, Advanced Placement (AP) courses, English Language Development (ELD), and Special Education Services.", + "Galileo aims to provide support for their students for life, college, and beyond through programs like AVID with additional academic counseling for college prepation, the Wellness Center, and their Futurama after-school program with sports, arts, enrichment, and tutoring." + ], + "volunteer_form_url": "https://forms.gle/H89nowxGSMLoBqTaA", + "donation_text": "Donate to Galileo's PTSA. Donations support teacher/classroom stipends, educational enrichment grants, community events, World Party, and student leadership.", + "donation_url": "https://www.galileoptsa.org/donation-form", + "testimonial": "\"I like my teachers because they're very understanding and very supportive. I take some cool classes such as health academy, which is very interesting because we got to learn a lot of things related to medical field ... and we get to visit hospitals.\"", + "testimonial_author": "Senior in 2021 - Romaissa Khaldi", + "testimonial_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=MCUnI9xwh_PhhchA&start=170", + "noteable_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=lsyO4inn548P7bTE", + "principal": "Ambar Panjabi", + "instagram_url": "https://www.instagram.com/galileoasb/", + "facebook_url": "https://www.facebook.com/GalileoAcademy/", + "website_url": "https://www.sfusd.edu/school/galileo-academy-science-technology" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1900, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 57, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 23.6, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 11.5, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 71, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 50, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Academic After-School Tutors (Futurama)", + "details": "Help students at Galileo with afterschool Math,\n Science, English, Social Studies tutoring.", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Remote Graphic Design (w/ PTSA)", + "details": "Support Galileo's online PTSA presence through remote-friendly design tasks!", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer (with PTSA) ", + "details": "Help Galileo's PTSA organize Galileo-unique events like World Party and with projects for school beautification.", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/galileo-academy-science-tech/4398", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Ida B. Wells High School", + "address": "1099 Hayes St, San Francisco, CA", + "neighborhood": "Lower Haight", + "priority": false, + "img": "idabwells.jpeg", + "latitude": "37.7751", + "longitude": "-122.433985", + "casid": "3830031", + "profile": { + "create": { + "about": "Ida B. Wells (IBW) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "IBW represents a second chance for students who are 16+ to succeed and a chance to graduate from high school.", + "IBW meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "IBW's special programs include Culinary Arts, Drama, Computer Applications and Robotics, Ceramics, and Surfing." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSf71Z-9hmWL13xOeIDiVP2atl3Wj4BHMnsOrowM9XAFycvIhg/viewform", + "donation_text": "Mail a check made out to Ida B. Wells High School and mail it to:\nIda B. Wells\n1099 Hayes St.\nSan Francisco, CA 94117", + "testimonial": "\"I love this school the teachers are awesome and the students are great!!! I graduated from here on time!! And I was behind like 150 credits and caught up within a year!! Thank you Ida b wells\"", + "testimonial_author": "Reyanna L.", + "principal": "Katie Pringle", + "instagram_url": "https://www.instagram.com/sf_idabwellshs", + "facebook_url": "https://www.facebook.com/pages/Ida-B-Wells-Continuation-High-School/1920936394824346", + "website_url": "https://www.sfusd.edu/school/ida-b-wells-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 183, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 67, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 18, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 0, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/ida-b-wells-high-school/4385", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Independence High School", + "address": "1350 7th Ave, San Francisco, CA", + "neighborhood": "Inner Sunset", + "priority": false, + "img": "independence.jpeg", + "latitude": "37.76309", + "longitude": "-122.46388", + "casid": "3830197", + "profile": { + "create": { + "about": "Independence is a small alternative high school in SFUSD.", + "about_bp": [ + "Independence serves students who have significant obligations outside of school, including family and employment.", + "Independence creates a custom schedule for each student to meet their needs.", + "The school offers a unique hexamester system to maximize opportunities for students." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLScCyflGm6ePuNRFLQ4rCYYgHwzxWzBLkDtJjf1bgziWwwy7bg/viewform", + "donation_text": "Mail a check made out to Independence High School and mail it to:\nIndependence High School\n1350 7th Ave\nSan Francisco, CA 94122\n", + "testimonial": "\"I've met some of the most amazing, resilient people, grown, and had an amazing time all in all----this school is truly a hidden gem in the school system.\"", + "principal": "Anastasia (Anna) Klafter", + "instagram_url": "https://www.instagram.com/sfindependence/", + "facebook_url": "https://www.facebook.com/sfindependence/", + "website_url": "https://www.sfusd.edu/school/independence-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 162, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 3, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 85, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 46, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 34, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/independence-high-school/4388", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "SF International High School", + "address": "655 De Haro St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "international.jpeg", + "latitude": "37.76169", + "longitude": "-122.40082", + "casid": "0119875", + "profile": { + "create": { + "about": "SF International is a small public high school that offers a unique program designed for recent immigrant students.", + "about_bp": [ + "All subjects teach English development through meaningful projects that keep students motivated and connected to their learning.", + "SF International offers programs every day until 6:00 PM for all students.", + "Community volunteers interested in supporting SF International should go through nonprofit RIT (Refugee & Immigrant Transitions)." + ], + "volunteer_form_url": "https://www.tfaforms.com/5026463", + "donation_text": "Mail a check made out to SF Interntional High School and mail it to:\nSF International High School\n655 De Haro St.\nSan Francisco, CA 94107\n", + "testimonial": "\"I like everything about my school, we all have the same experience that makes us be a good community, we are all English learners with big goals. Our school is small and we receive a lot of attention from the teachers that every day pushes us to be a great student.\"", + "principal": "Nick Chan", + "instagram_url": "http://www.instagram.com/sfihuskies", + "website_url": "https://www.sfusd.edu/school/san-francisco-international-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 275, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 88, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 3, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 13, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Daytime classroom support", + "details": "Academic support for students during class", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/san-francisco-int-l-high-school/98266", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "June Jordan School for Equity", + "address": "325 La Grande Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": true, + "img": "junejordan.jpeg", + "latitude": "37.7195", + "longitude": "-122.42539", + "casid": "0102103", + "profile": { + "create": { + "about": "June Jordan is a small alternative high school named after activist June Jordan. The school was founded through community organizing by a group of teachers, parents, and youth.", + "about_bp": [ + "As a school for Social Justice serving primarily working class communities of color, the mission of JJSE is not just to prepare students for college but to also be positive agents of change in the world.", + "The school's three pillars are Community, Social Justice, and Independent Thinking.", + "Motorcycle Mechanics class and is home to a community farm." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1hVYScQ93TU03a5qh3pyoxVYFp2_xmkAj3-xGH20qNrg/viewform?edit_requested=true", + "donation_url": "https://smallschoolsforequity.org/donate/", + "donation_text": "Donate to June Jordan on the Small Schools for Equity website. All of your donation goes directly to programs benefitting teachers and youth!", + "testimonial": "\"June Jordan is a breath of fresh air myself and many others. There is a strong and immediate sense of community and family. The school is aimed towards helping students, specifically of Latinx or African American descent, thrive in all aspects of a academic scholar. Most schools are tied strictly towards academics but June Jordan has a different approach. They acknowledge the fact that a single being and their destiny should not be overlooked by a grade book. We build leaders at this school, we build demonstrators, organizers, and creators.\"", + "principal": "Amanda Chui", + "instagram_url": "https://www.instagram.com/officialjjse", + "facebook_url": "https://www.facebook.com/JuneJordanSchoolforEquity", + "website_url": "https://www.sfusd.edu/school/june-jordan-school-equity" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 215, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 28, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 85, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 19, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Lincoln High School", + "address": "2162 24th Ave, San Francisco, CA", + "neighborhood": "Parkside/Sunset", + "priority": false, + "img": "lincoln.jpeg", + "latitude": "37.74729", + "longitude": "-122.48109", + "casid": "3833241", + "profile": { + "create": { + "about": "Lincoln is one of the three largest high schools in SFUSD. The school features:", + "about_bp": [ + "Partnerships with 14 different community agencies", + "Four CTE (Career Technical Education) funded multi-year Academy Programs: CTE Business Academy, CTE Digital Media Design Academy, CTE Green Academy, and CTE Teacher Academy", + "Two pathways: Art & Architecture Pathway (Formerly ACE Architecture, Construction, Engineering) and the Biotechnology Pathway", + "Services for special education (severely and non-severely impaired) students", + "A student newspaper called the \"Lincoln Log\"" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1iO_ex9OJK81xD9EQ8D4SZHjhJDhgyLcdb2IQq5u4rDg/edit", + "donation_url": "https://www.paypal.com/donate/?cmd=_s-xclick&hosted_button_id=RHY6FMNAJX8EE&source=url&ssrt=1713743821077", + "donation_text": "Donate to Lincoln's PTSA.", + "testimonial": "\"Here at Lincoln you've got tons of supportive staff and also you'll be open to major student leadership opportunities.\"", + "testimonial_author": "Kelly Wong, student", + "testimonial_video": "https://www.youtube.com/embed/PfHdxukonSg?si=RvM3VjT_SAPSI0Sb&start=225", + "noteable_video": "https://www.youtube.com/embed/PfHdxukonSg?si=Q3d3ieVn2fdtD_Ka", + "principal": "Sharimar Manalang", + "instagram_url": "https://www.instagram.com/alhsgreenacademy/", + "facebook_url": "https://www.facebook.com/groups/191813114254895/", + "website_url": "https://www.sfusd.edu/school/abraham-lincoln-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1997, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 94, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 34, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Alumni Association", + "details": "Support the association in their efforts to raise funds for a variety of school and student needs", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/abraham-lincoln-high-school/4399", + "category": "donate" + }, + { + "name": "Lincoln High School Alumni Association", + "details": "", + "url": "https://lincolnalumni.com/donations/", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Lowell High School", + "address": "1101 Eucalyptus Dr, San Francisco, CA", + "neighborhood": "Lakeshore", + "priority": false, + "img": "lowell.jpeg", + "latitude": "37.73068", + "longitude": "-122.48392", + "casid": "3833407", + "profile": { + "create": { + "about": "Established in 1856, Lowell High School is the oldest public high school west of Mississippi, recognized as one of California's highest-performing public high scools.", + "about_bp": [ + "They have been honored as a National Blue Ribbon school 4 times, and a California Distinguished School 8 times and ranked #1 in the Western region for the number of Advanced Placement (AP) exams offered (31).", + "With a wide range of academic opportunities, Lowell has the largest Visual and Performing Arts Department in the city and a World Language Department with instruction in eight languages.", + "Lowell aims to connect PTSA and Alumni meaningfully within its community.", + "One of the only SFUSD schools with an established journalism program and student-run publication, The Lowell." + ], + "volunteer_form_url": "https://forms.gle/PWzEnLfgVWxcMDRz5", + "donation_url": "https://secure.givelively.org/donate/pta-california-congress-of-parents-teachers-students-inc-san-francisco-ca-8431854/lowell-ptsa-2023-2024-fundraising", + "donation_text": "Donate to Lowell's PTSA. Your donation will fund grants for student organizations, clubs, and teachers. It will also fund college readiness, diversity and inclusion, wellness, and hospitality programs. Any remainder at the end of the school year will go into our rainy day fund for next year.", + "noteable_video": "https://www.youtube.com/embed/c4BiiF55SvU?si=9XB3PhXZAP3ooIZn", + "principal": "Michael Jones", + "instagram_url": "https://www.instagram.com/lowellhs/?hl=en", + "facebook_url": "https://www.facebook.com/pages/Lowell-High-School-San-Francisco/109617595723992", + "website_url": "https://www.sfusd.edu/school/lowell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 2632, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4.6, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 6.9, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 99, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 93, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "College Readiness Workshops", + "details": "Help support the PTSA's college readiness workshops for Lowell, providing essay writing advice, college-picking advice, and workshops.", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Join a Lowell PTSA committee event as a community volunteer to help with occasional events (Beautification Day, Graduation, Dances) or even sign up to routinely help with Lowell's on campus bookstore!", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Remote (Website, Social Media, Newsletter)", + "details": "Help the PTSA maintain their online presence through remote social media, website, and newsletter maintenace!", + "url": "https://docs.google.com/forms/d/e/1FAIpQLSd_ZykYI3GM9GZOVtnq2x4cnN6GmEwo0rBKhI3nfWwBexl65A/viewform", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/lowell-high-school/4400", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Mission High School", + "address": "3750 18th St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "mission.jpeg", + "latitude": "37.7616", + "longitude": "-122.42698", + "casid": "3834082", + "profile": { + "create": { + "about": "Mission High is the oldest comprehensive public school in San Francisco founded in 1890. The school:", + "about_bp": [ + "Is one of the most diverse schools in the San Francisco public school district, and beginning in the Fall of the 2007/08 school year, the Mission faculty collectively created a working definition of Anti-Racist/Equity education", + "Offers six Career and Tech Ed pathways: Environmental Science, Fire Science and EMS Academy, Media Arts, Peer Resources, Public Health, and Urban Agriculture", + "Has a majority of its students learning English as a second language (or perhaps as third or fourth language)", + "Is a historical landmark. It even has its own museum, founded in 1995 by a former science teacher, for the purpose of preserving and displaying the rich history of Mission High School" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1oene039Zn-fBGxjI2iS2B9n0O-U2BhtDZl-td9M0hNs", + "donation_url": "https://missionhigh.org/make-an-impact/", + "donation_text": "Donate to the Mission High Foundation. The foundation supports educator grants, the Annual College Trip, the food and agriculture program, college preparation, and student wellness.", + "testimonial": "\"I have never seen in other schools' teachers that worry a lot about the student...That’s the difference about Mission, the teachers genuinely want their students to succeed.\"", + "testimonial_author": "Nathaly Perez", + "testimonial_video": "https://www.youtube.com/embed/cmNvxruXUG8?si=dpNJPOM768R3skBM", + "principal": "Valerie Forero", + "instagram_url": "https://www.instagram.com/missionhighfoundation/", + "facebook_url": "https://www.facebook.com/sfmissionhs/", + "website_url": "https://www.sfusd.edu/school/mission-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1041, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 56, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 38, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 26, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 11, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/mission-high-school/4401", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "John O'Connell Technical High School", + "address": "2355 Folsom St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "johnoconnell.jpeg", + "latitude": "37.75956", + "longitude": "-122.41454", + "casid": "3834769", + "profile": { + "create": { + "about": "JOCHS is a small, academic-focused high school with several career pathways. The school provides:", + "about_bp": [ + "Four integrated Pathways for grades 11-12: Building and Construction Trades, Entrepreneurship and Culinary Arts, Health and Behavioral Sciences, and Public Service. During this time students are assigned professional internships to give them real world experience", + "For grades 9-10, “house” classes that lead into Pathways when upperclassmen: Humanities and Social Justice, Science, Communication and Sustainability, and Liberation and Resistance Studies" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1SEjtZpA_mx6p-7PnUujdyL-skjRQtn07KBgXV0tPo-w", + "donation_text": "Mail a check made out to John O'Connell High School to:\nJohn O'Connell High School\n2355 Folsom St.\nSan Francisco, CA, 94110", + "testimonial": "“A few of the clubs that I participate in are: Black Student Union, Student Body, Yearbook, and a couple more. I really love my school. I really love how they support us unconditionally…”", + "testimonial_author": "Lonnie, student", + "testimonial_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xSmHawJ6IbiQX-rr&start=231", + "noteable_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xlpYHFmZIBAkh4yd", + "principal": "Amy Abero & Susan Ryan (Co-Principals)", + "instagram_url": "https://www.instagram.com/oc_youknow/?hl=en", + "facebook_url": "https://www.facebook.com/OChighschoolSFUSD/", + "website_url": "https://www.sfusd.edu/school/john-oconnell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 506, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 65, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 24, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 90, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 37, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 6, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Healthy Eating Physical Activity (HEPA)", + "details": "Support workshops and activities that promote health", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/john-o-connell-high-school/4402", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Ruth Asawa School of the Arts (SOTA)", + "address": "555 Portola Dr, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "ruthasawa.jpeg", + "latitude": "37.74538", + "longitude": "-122.44965", + "casid": "3830387", + "profile": { + "create": { + "about": "Ruth Asawa School of the Arts (SOTA) is named after renowned sculptor Ruth Asawa who was a passionate advocate for arts in education.", + "about_bp": [ + "SOTA is an audition-based, alternative high school committed to fostering equity and excelling in both arts and academics.", + "Rooted in its vision of artistic excellence, SOTA offers a unique educational experience emphasizing arts, with 6 specialized programs to reflect San Francisco's cultural diversity: DANCE: Conservatory Dance, World Dance, MUSIC: Band, Orchestra, Guitar, Piano, Vocal, and World Music, MEDIA & FILM, THEATRE: Acting, Musical Theatre, THEATER TECHNOLOGY: Costumes, Stagecraft, VISUAL: Drawing & Painting, Architecture & Design.", + "To integrate arts and academics, all SOTA students have art blocks every afternoon, and uniquely, they have an Artists-In-Residence Program partly funded through donations.", + "Co-located with The Academy" + ], + "volunteer_form_url": "https://forms.gle/bRnDEhzXYDD8mhcB6", + "donation_url": "https://app.arts-people.com/index.php?donation=rasa", + "donation_text": "Donate to SOTA's PTSA, which funds artists in residence on campus.", + "testimonial": "\"We have specialized departments ... So it's the perfect school for any aspiring artist.\"", + "testimonial_author": "Ava, Student", + "testimonial_video": "https://www.youtube.com/embed/gouN1t1GxE0?si=ovResdGqAYsklGlF", + "noteable_video": "https://www.youtube.com/embed/zXcnXNEvjoo?si=7-tJ7DywSRThJMw8", + "principal": "Stella Kim", + "instagram_url": "https://www.instagram.com/ruthasawasota/", + "facebook_url": "https://www.facebook.com/AsawaSOTA/", + "website_url": "https://www.sfusd.edu/school/ruth-asawa-san-francisco-school-arts" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 700, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 1.8, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 11.1, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 97, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 84, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 53, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Help tutor SOTA students in STEM subjects.", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Staff Appreciation Event Volunteer", + "details": "Support the PTSA show appreciation for staff and Artists-In-Residents both with in person distribution or remote video editing support!", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Audition Day Volunteer", + "details": "Support budding students, faculty, and parents during the SOTA audition process through physical audition day volunteering.", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/academy-of-arts-sciences/4393", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "The Academy", + "address": "550 Portola Dr #250, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "theacademy.jpeg", + "latitude": "37.745499", + "longitude": "-122.451563", + "casid": "0119958", + "profile": { + "create": { + "about": "The Academy fosters one of the smallest school learning environments, where teachers can closely engage with students, hands-on administrators, and families for a stronger, supportive community.", + "about_bp": [ + "With a focus on individualized support, every Academy student receives college counseling through their four years with 2 full-time academic and dedicated college counselors.", + "They offer a range of extracurricular activities including academic tutoring, enrichment activities, and arts instruction in unique disciplines such as visual arts, modern rock band, photography, and theatre.", + "The Academy aims for a holistic educational experience with comprehensive athletics program and various student support services, including counseling and health and wellness resources.", + "Co-located with Ruth Asawa School of the Arts, on the first floor of the former McAteer Main Building." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1px5HE5JPNp5b5emzPVhadVDh6lRy2r_DWLbXxNvzNrA/edit", + "donation_url": "https://www.paypal.com/paypalme/AcademySFatMcateer?country_x=US&locale_x=en_US", + "donation_text": "Donate to the Academy's PTSA. Your donation is used to support teacher classroom needs, and student events like prom and field trips.", + "noteable_video": "https://drive.google.com/file/d/1GdVL6l4z1dCBDBfnwaRlIVvr9o_KxTLe/preview", + "principal": "Hollie Mack", + "instagram_url": "http://www.instagram.com/academywolvessf", + "facebook_url": "https://www.facebook.com/AcademyWolvesSF", + "website_url": "https://www.sfusd.edu/school/academy-san-francisco-mcateer" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 360, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 53, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 14.4, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 24.9, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 92, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 42, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 13, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Support Academy students with STEM subjects with their afterschool program on a regular or ad-hoc basis.", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Culinary & Arts Mentor Volunteer", + "details": "Help provide real life skills to Academy students with culinary mentorship and creative expression within their afterschool program.", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Remote Coding Teacher", + "details": "Help host afterschool, remote coding classes for The Academy students.", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/school-of-the-arts-high-school/99136", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Thurgood Marshall High School", + "address": "45 Conkling St, San Francisco, CA", + "neighborhood": "Bayview", + "priority": true, + "img": "thurgood.jpeg", + "latitude": "37.73609", + "longitude": "-122.40211", + "casid": "3830403", + "profile": { + "create": { + "about": "Thurgood Marshall High School was founded in 1994, and is located in the southeastern part of San Francisco. The school offers:", + "about_bp": [ + "A refurbished and expanded College & Career Center, a fully staffed Wellness Center, a Peer Resources Program, and a daily after-school tutoring program", + "A special program for recent immigrants and newcomers.", + "Health, housing, immigration, financial support resources for families" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1TlrrJZZWcKXeZdAKuF2CQkAmTtRXTmGEe3NkRTFYBNE", + "donation_url": "https://thurgood-marshall-academic-high-school-pto.square.site/", + "donation_text": "Donate to Thurgood Marshall's PTSA", + "testimonial": "“I liked this project because we got to practice English and the other person I was working with got to practice her Spanish.” - Darlin on the “Empathy Project” where native English speakers and English learners practice languages and learn from each other", + "testimonial_author": "Darlin", + "testimonial_video": "https://www.youtube.com/embed/nUIBNpi3VTA?si=2mdebQexdqQuB-Ke", + "noteable_video": "https://www.youtube.com/embed/NclnGjU3zJM?si=g9bnDzFsl3mvGRgM", + "principal": "Sarah Ballard-Hanson", + "instagram_url": "https://www.instagram.com/marshallphoenix/?hl=en", + "facebook_url": "https://www.facebook.com/groups/20606012934/", + "website_url": "https://www.sfusd.edu/school/thurgood-marshall-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 457, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 62, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 5, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Family Services", + "details": "Help ensure student families have access to basic services", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/thurgood-marshall-academic-high-school/4394", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "Wallenberg High School", + "address": "40 Vega St, San Francisco, CA", + "neighborhood": "Western Addition", + "priority": false, + "img": "wallenberg.jpeg", + "latitude": "37.780365", + "longitude": "-122.44621", + "casid": "3830205", + "profile": { + "create": { + "about": "Founded in 1981, the Raoul Wallenberg Traditional High School (or \"Wallenberg\") honors the renowned Swedist diplomat, guided by personal responsibility, compassion, honesty, and integrity for equitable educational outcomes that enhance creativity, self-discipline, and citizenship.", + "about_bp": [ + "Wallenberg provides a rigorous educational program designed to prepare its diverse student body for success in college, careers, and life, including through diagnostic counseling, and college prep (including the AVID program).", + "Wallenberg has three future-focused pathways: Biotechnology, Computer Science (SIM - Socially Inclusive Media), and Environmental Science, Engineering, and Policy (ESEP)", + "Wallenberg focuses on close student-staff relations to foster a culture of support and service that encourages ongoing interaction, assessment, and feedback to promote high achievement and the joy of learning. Parents are actively encouraged to engage with the school community." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSdlALlSlZCTko4qBryLTunuIVcZGKmVeUl2MA-OPbnoOG15Lg/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=NX4GK2S6GQAWN", + "donation_text": "Donate to Wallenberg's PTSA. The PTSA aims to fund programs and events that benefit all Wallenberg students and teachers: building community, inclusion, and tolerance, sponsoring the Reflections Arts Program and Wallapalooza Art Festival, supporting technology and athletic programs, and honoring our teachers by providing them with stipends.", + "testimonial": "\"I really like my teachers because they always want you to perform at your best ... I feel like Wallenberg is a great school for students who want to be in a small community where everyone knows each other and where students and teachers have greater relationships\"", + "testimonial_author": "Ryan", + "testimonial_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=rEoQTInfas1UBk44", + "noteable_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=binBgRGAemfDKbzb", + "principal": "Tanya Harris", + "instagram_url": "https://www.instagram.com/wallenberghs/", + "facebook_url": "https://www.facebook.com/pages/Raoul-Wallenberg-Traditional-High-School/113129858701251", + "website_url": "https://www.sfusd.edu/school/raoul-wallenberg-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 549, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 10.9, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 21.3, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 94, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 73, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 37, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Campus Cleanup", + "details": "Help create a better environment for incoming and current Wallenberg students through cleaning up the gardens and picking up trash.", + "url": "https://www.wallenbergpta.org/blog/categories/volunteers-needed", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Orientation and Community Day Volunteers", + "details": "Support incoming Wallenberg students by volunteering your time to the Wallenberg PTA.", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "STEM tutor", + "details": "Support Wallenberg students through afterschool tutoring.", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/raoul-wallenberg-trad-high-school/4389", + "category": "donate" + }, + { + "name": "Zelle to the email wallenbergptsa@gmail.com", + "details": "", + "url": "pay://zelle?recipient=wallenbergptsa@gmail.com", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + }, + { + "name": "George Washington High School", + "address": "600 32nd Ave, San Francisco, CA", + "neighborhood": "Richmond", + "priority": false, + "img": "washington.jpeg", + "latitude": "37.77784", + "longitude": "-122.49174", + "casid": "3839081", + "profile": { + "create": { + "about": "Washington is one of the largest high schools in SFUSD, opened in 1936.", + "about_bp": [ + "Students can choose from more than 100 course offerings, with 52 sections of honors and AP classes.", + "Students can also choose from over 50 campus clubs and student groups and a full inter-scholastic athletic program, with 22 teams in 15 sports.", + "Washington has an active Richmond Neighborhood program, Wellness Center, Parent Teacher Student Association, and Alumni Association.", + "Washington offers a sweeping view of the Golden Gate Bridge from its athletic fields." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1nEVr6vgTdrHEWnmQvoMXWS6eDxRx20imWMNh7pBUT1Y/edit", + "donation_url": "https://www.gwhsptsa.com/donate", + "donation_text": "Donate to the the school's PTSA", + "testimonial": "\"I went from a 2.8 student to a 3.7 student because teachers believed in me and I in them. Washington was one of the best schools for academics, sports, and overall community.\"", + "principal": "John Schlauraff", + "instagram_url": "http://www.instagram.com/gwhsofficial", + "facebook_url": "https://www.facebook.com/profile.php?id=100067738675467", + "website_url": "https://www.sfusd.edu/school/george-washington-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 2070, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 93, + "unit": "%", + "category": "outcome" + }, + { + "name": "English proficiency", + "value": 74, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/george-washington-high-school/4403#projects", + "category": "donate" + }, + { + "name": "GWHS Alumni Association", + "details": "", + "url": "https://givebutter.com/sfgwhsalumni", + "category": "donate" + }, + { + "name": "Richmond Neighborhood Center", + "details": "", + "url": "https://form-renderer-app.donorperfect.io/give/the-richmond-neighborhood-center/new-online-donation", + "category": "donate" + } + ], + "skipDuplicates": true + } + } + } +] diff --git a/prisma/seed_scale.json b/prisma/seed_scale.json new file mode 100644 index 0000000..35c4039 --- /dev/null +++ b/prisma/seed_scale.json @@ -0,0 +1,10428 @@ +[ + { + "name": "Balboa High School", + "address": "1000 Cayuga Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": false, + "img": "balboa.jpeg", + "latitude": "37.722", + "longitude": "-122.44041", + "casid": "3830288", + "profile": { + "create": { + "about": "Balboa (\"Bal\") is a unique high school with a rich history and tradition.", + "about_bp": [ + "Bal was the first high school in SFUSD to organize into small learning communities called Pathways.", + "In their Pathways, students build relationships with teachers, while engaging in rigorous academic, athletic, and artistic pursuits.", + "The five Pathways at BAL are: CAST (Creative Arts for Social Transformation), GDA (Game Design Academy), Law Academy, PULSE (Peers United for Leadership, Service and Equity) and WALC (Wilderness, Art, and Literacy Collaborative)", + "Bal is the only SFUSD high school with an on-campus teen health clinic." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSd5ZGgHnefy4wTZ4Iasus5MV8H9SM5XxccdBxIgy2R0qVEHFg/viewform", + "donation_text": "Mail a check made out to Balboa High School and mail it to:\nBalboa High School\n1000 Cayuga Avenue\nSan Francisco, CA 94112", + "testimonial": "\"We are the only high school to have an on-campus clinic. I find it really convenient, because my doctor is like across town from where I live, and I have to miss a whole day of school when I'm sick. Our clinic is COMPLETELY free, counselors, medicine, sex ed.\"", + "principal": "Dr. Catherine Arenson", + "instagram_url": "http://www.instagram.com/balboahs", + "facebook_url": "https://www.facebook.com/pages/Balboa-High-School-California/140869085980447 ", + "website_url": "https://www.sfusd.edu/school/balboa-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 297, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 43, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 59, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 95, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/balboa-high-school/4391", + "category": "donate" + }, + { + "name": "PTSA", + "details": "", + "url": "https://www.sfusd.edu/school/balboa-high-school/ptsa/cash-appeal", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "balboa-high-school.png" + }, + { + "name": "Burton High School", + "address": "400 Mansell St, San Francisco, CA", + "neighborhood": "Portola", + "priority": true, + "img": "burton.jpeg", + "latitude": "37.72126", + "longitude": "-122.4063", + "casid": "3830254", + "profile": { + "create": { + "about": "Burton High School was established in 1984 as a result of a Consent Decree between the City of San Francisco and the NAACP, and is named after Phillip Burton, a member of the California Assembly who championed the civil rights of others. Burton also:", + "about_bp": [ + "Is a \u201cwall-to-wall\u201d academy school, offering specialized career and technical education in Arts & Media, Engineering, Health Sciences, and Performing Arts to students in the form of project-based learning classes", + "Has a student body that represents every ethnicity, socio-economic group, and neighborhood of San Francisco", + "Has an extensive partnership with the Bayview YMCA, and offers college classes by City College on Saturdays as well as after-school tutoring", + "Offers after-school program called P.A.C.E (Pumas\u2019 Academics, College & Career, and Enrichments) offers academic, community service based and skill building activities", + "Burton has the only public high school marching band in the city!" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1xqB69hsheJEHtUcfcrAlqRYxCv7EsYpDgdqmktWxAWo/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=QPPWNFC966MYQ", + "donation_text": "Donate to Burton's PTSA. All of your donation goes directly to programs benefitting teachers an students!", + "testimonial": "\"I like my teachers because they really care about me and they\u2019re always willing to go an extra mile for me when I need it.\"", + "testimonial_author": "Daniela Simental, student", + "testimonial_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=ch5T8GWlPJCxJHGz&start=192", + "noteable_video": "https://www.youtube.com/embed/jwMX9zSxaA0?si=bL4VMGrxRQ_xipUf", + "principal": "Suniqua Thomas", + "instagram_url": "https://www.instagram.com/burtonpumas/", + "facebook_url": "https://www.facebook.com/burtonpumas/", + "website_url": "https://www.sfusd.edu/school/phillip-and-sala-burton-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 240, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 90, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Burton's Marching Band", + "details": "", + "url": "https://www.paypal.com/donate/?hosted_button_id=Q95CE7W539Z2U", + "category": "donate" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/philip-sala-burton-high-school/4390", + "category": "donate" + }, + { + "name": "Food Pantry", + "details": "", + "url": "https://www.gofundme.com/f/j7awn-burton-high-school-food-pantry", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "phillip-and-sala-burton-academic-high-school.jpg" + }, + { + "name": "Downtown High School", + "address": "693 Vermont St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "downtown.jpeg", + "latitude": "37.761565", + "longitude": "-122.40394", + "casid": "3830064", + "profile": { + "create": { + "about": "Downtown High School (DHS) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "DHS represents a second chance for students to succeed and a chance to graduate from high school.", + "DHS meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "DHS offers project-based learning with the following five projects: Acting for Critical Transformations (ACT), Get Out and Learn (GOAL), Making, Advocating and Designing for Empowerment (MADE), Music and Academics Resisting the System (MARS), and Wilderness Arts and Literacy Collaborative (WALC)." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSecfLxlYgdHcs4vZLtW-V8CKVT38kY4rc7qqb5ocj-X9J3jLQ/viewform", + "donation_text": "Mail a check made out to Downtown High School and mail it to:\nDowntown High School\n693 Vermont St.\nSan Francisco, CA 94107", + "principal": "Todd Williams", + "instagram_url": "www.instagram.com/downtown_hs", + "website_url": "https://www.sfusd.edu/school/downtown-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 83, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 57, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/downtown-alternative-cont-high-school/4386", + "category": "donate" + }, + { + "name": "WALC Pathway", + "details": "", + "url": "https://walcsf.net/donate-new/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "downtown-high-school.jpg" + }, + { + "name": "Galileo Academy of Science & Technology", + "address": "1150 Francisco St, San Francisco, CA", + "neighborhood": "Russian Hill", + "priority": false, + "img": "galileo.jpeg", + "latitude": "37.80379", + "longitude": "-122.424145", + "casid": "3831765", + "profile": { + "create": { + "about": "Galileo Academy of Science and Technology (\"Galileo\") is committed to providing equal access to all of their educational programs.", + "about_bp": [ + "Galileo offers three career technical Academic pathways: 1) Biotechnology, Environmental Science, Health Sciences, 2) Information Technology, Media, Arts, and 3) Hospitality, Travel and Tourism.", + "Galileo provides servies that meet diverse learning needs, including extensive Honors, Advanced Placement (AP) courses, English Language Development (ELD), and Special Education Services.", + "Galileo aims to provide support for their students for life, college, and beyond through programs like AVID with additional academic counseling for college prepation, the Wellness Center, and their Futurama after-school program with sports, arts, enrichment, and tutoring." + ], + "volunteer_form_url": "https://forms.gle/H89nowxGSMLoBqTaA", + "donation_text": "Donate to Galileo's PTSA. Donations support teacher/classroom stipends, educational enrichment grants, community events, World Party, and student leadership.", + "donation_url": "https://www.galileoptsa.org/donation-form", + "testimonial": "\"I like my teachers because they're very understanding and very supportive. I take some cool classes such as health academy, which is very interesting because we got to learn a lot of things related to medical field ... and we get to visit hospitals.\"", + "testimonial_author": "Senior in 2021 - Romaissa Khaldi", + "testimonial_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=MCUnI9xwh_PhhchA&start=170", + "noteable_video": "https://www.youtube.com/embed/KkDW52FEdsg?si=lsyO4inn548P7bTE", + "principal": "Ambar Panjabi", + "instagram_url": "https://www.instagram.com/galileoasb/", + "facebook_url": "https://www.facebook.com/GalileoAcademy/", + "website_url": "https://www.sfusd.edu/school/galileo-academy-science-technology" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 417, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 51, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 57, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 88, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/galileo-academy-science-tech/4398", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "galileo-academy-science-technology.jpg" + }, + { + "name": "Ida B. Wells High School", + "address": "1099 Hayes St, San Francisco, CA", + "neighborhood": "Lower Haight", + "priority": false, + "img": "idabwells.jpeg", + "latitude": "37.7751", + "longitude": "-122.433985", + "casid": "3830031", + "profile": { + "create": { + "about": "Ida B. Wells (IBW) is one of two continuation schools in SFUSD, dedicated to serving students whose success was limited in the district's comprehensive and charter high schools.", + "about_bp": [ + "IBW represents a second chance for students who are 16+ to succeed and a chance to graduate from high school.", + "IBW meets the need of these at-risk students by offering an educational experience that enables them to re-engage with school, find meaning in learning, achieve academic success, and graduate.", + "IBW's special programs include Culinary Arts, Drama, Computer Applications and Robotics, Ceramics, and Surfing." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSf71Z-9hmWL13xOeIDiVP2atl3Wj4BHMnsOrowM9XAFycvIhg/viewform", + "donation_text": "Mail a check made out to Ida B. Wells High School and mail it to:\nIda B. Wells\n1099 Hayes St.\nSan Francisco, CA 94117", + "testimonial": "\"I love this school the teachers are awesome and the students are great!!! I graduated from here on time!! And I was behind like 150 credits and caught up within a year!! Thank you Ida b wells\"", + "testimonial_author": "Reyanna L.", + "principal": "Katie Pringle", + "instagram_url": "https://www.instagram.com/sf_idabwellshs", + "facebook_url": "https://www.facebook.com/pages/Ida-B-Wells-Continuation-High-School/1920936394824346", + "website_url": "https://www.sfusd.edu/school/ida-b-wells-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 82, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 67, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 57, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/ida-b-wells-high-school/4385", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "ida-b-wells-high-school.png" + }, + { + "name": "Independence High School", + "address": "1350 7th Ave, San Francisco, CA", + "neighborhood": "Inner Sunset", + "priority": false, + "img": "independence.jpeg", + "latitude": "37.76309", + "longitude": "-122.46388", + "casid": "3830197", + "profile": { + "create": { + "about": "Independence is a small alternative high school in SFUSD.", + "about_bp": [ + "Independence serves students who have significant obligations outside of school, including family and employment.", + "Independence creates a custom schedule for each student to meet their needs.", + "The school offers a unique hexamester system to maximize opportunities for students." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLScCyflGm6ePuNRFLQ4rCYYgHwzxWzBLkDtJjf1bgziWwwy7bg/viewform", + "donation_text": "Mail a check made out to Independence High School and mail it to:\nIndependence High School\n1350 7th Ave\nSan Francisco, CA 94122\n", + "testimonial": "\"I've met some of the most amazing, resilient people, grown, and had an amazing time all in all----this school is truly a hidden gem in the school system.\"", + "principal": "Anastasia (Anna) Klafter", + "instagram_url": "https://www.instagram.com/sfindependence/", + "facebook_url": "https://www.facebook.com/sfindependence/", + "website_url": "https://www.sfusd.edu/school/independence-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 99, + "unit": "", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 94, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/independence-high-school/4388", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "independence-high-school.png" + }, + { + "name": "SF International High School", + "address": "655 De Haro St, San Francisco, CA", + "neighborhood": "Potrero Hill", + "priority": false, + "img": "international.jpeg", + "latitude": "37.76169", + "longitude": "-122.40082", + "casid": "0119875", + "profile": { + "create": { + "about": "SF International is a small public high school that offers a unique program designed for recent immigrant students.", + "about_bp": [ + "All subjects teach English development through meaningful projects that keep students motivated and connected to their learning.", + "SF International offers programs every day until 6:00 PM for all students.", + "Community volunteers interested in supporting SF International should go through nonprofit RIT (Refugee & Immigrant Transitions)." + ], + "volunteer_form_url": "https://www.tfaforms.com/5026463", + "donation_text": "Mail a check made out to SF Interntional High School and mail it to:\nSF International High School\n655 De Haro St.\nSan Francisco, CA 94107\n", + "testimonial": "\"I like everything about my school, we all have the same experience that makes us be a good community, we are all English learners with big goals. Our school is small and we receive a lot of attention from the teachers that every day pushes us to be a great student.\"", + "principal": "Nick Chan", + "instagram_url": "http://www.instagram.com/sfihuskies", + "website_url": "https://www.sfusd.edu/school/san-francisco-international-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 150, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 7, + "unit": "%", + "category": "outcome" + }, + { + "name": "English Language Learners", + "value": 81, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 62, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/san-francisco-int-l-high-school/98266", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "san-francisco-international-high-school.png" + }, + { + "name": "June Jordan School for Equity", + "address": "325 La Grande Ave, San Francisco, CA", + "neighborhood": "Excelsior", + "priority": true, + "img": "junejordan.jpeg", + "latitude": "37.7195", + "longitude": "-122.42539", + "casid": "0102103", + "profile": { + "create": { + "about": "June Jordan is a small alternative high school named after activist June Jordan. The school was founded through community organizing by a group of teachers, parents, and youth.", + "about_bp": [ + "As a school for Social Justice serving primarily working class communities of color, the mission of JJSE is not just to prepare students for college but to also be positive agents of change in the world.", + "The school's three pillars are Community, Social Justice, and Independent Thinking.", + "Motorcycle Mechanics class and is home to a community farm." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1hVYScQ93TU03a5qh3pyoxVYFp2_xmkAj3-xGH20qNrg/viewform?edit_requested=true", + "donation_url": "https://smallschoolsforequity.org/donate/", + "donation_text": "Donate to June Jordan on the Small Schools for Equity website. All of your donation goes directly to programs benefitting teachers and youth!", + "testimonial": "\"June Jordan is a breath of fresh air myself and many others. There is a strong and immediate sense of community and family. The school is aimed towards helping students, specifically of Latinx or African American descent, thrive in all aspects of a academic scholar. Most schools are tied strictly towards academics but June Jordan has a different approach. They acknowledge the fact that a single being and their destiny should not be overlooked by a grade book. We build leaders at this school, we build demonstrators, organizers, and creators.\"", + "principal": "Amanda Chui", + "instagram_url": "https://www.instagram.com/officialjjse", + "facebook_url": "https://www.facebook.com/JuneJordanSchoolforEquity", + "website_url": "https://www.sfusd.edu/school/june-jordan-school-equity" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 59, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 30, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 64, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 84, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ], + "skipDuplicates": true + } + }, + "logo": "june-jordan-school-equity.png" + }, + { + "name": "Lincoln High School", + "address": "2162 24th Ave, San Francisco, CA", + "neighborhood": "Parkside/Sunset", + "priority": false, + "img": "lincoln.jpeg", + "latitude": "37.74729", + "longitude": "-122.48109", + "casid": "3833241", + "profile": { + "create": { + "about": "Lincoln is one of the three largest high schools in SFUSD. The school features:", + "about_bp": [ + "Partnerships with 14 different community agencies", + "Four CTE (Career Technical Education) funded multi-year Academy Programs: CTE Business Academy, CTE Digital Media Design Academy, CTE Green Academy, and CTE Teacher Academy", + "Two pathways: Art & Architecture Pathway (Formerly ACE Architecture, Construction, Engineering) and the Biotechnology Pathway", + "Services for special education (severely and non-severely impaired) students", + "A student newspaper called the \"Lincoln Log\"" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1iO_ex9OJK81xD9EQ8D4SZHjhJDhgyLcdb2IQq5u4rDg/edit", + "donation_url": "https://www.paypal.com/donate/?cmd=_s-xclick&hosted_button_id=RHY6FMNAJX8EE&source=url&ssrt=1713743821077", + "donation_text": "Donate to Lincoln's PTSA.", + "testimonial": "\"Here at Lincoln you've got tons of supportive staff and also you'll be open to major student leadership opportunities.\"", + "testimonial_author": "Kelly Wong, student", + "testimonial_video": "https://www.youtube.com/embed/PfHdxukonSg?si=RvM3VjT_SAPSI0Sb&start=225", + "noteable_video": "https://www.youtube.com/embed/PfHdxukonSg?si=Q3d3ieVn2fdtD_Ka", + "principal": "Sharimar Manalang", + "instagram_url": "https://www.instagram.com/alhsgreenacademy/", + "facebook_url": "https://www.facebook.com/groups/191813114254895/", + "website_url": "https://www.sfusd.edu/school/abraham-lincoln-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 507, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 91, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/abraham-lincoln-high-school/4399", + "category": "donate" + }, + { + "name": "Lincoln High School Alumni Association", + "details": "", + "url": "https://lincolnalumni.com/donations/", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "abraham-lincoln-high-school.png" + }, + { + "name": "Lowell High School", + "address": "1101 Eucalyptus Dr, San Francisco, CA", + "neighborhood": "Lakeshore", + "priority": false, + "img": "lowell.jpeg", + "latitude": "37.73068", + "longitude": "-122.48392", + "casid": "3833407", + "profile": { + "create": { + "about": "Established in 1856, Lowell High School is the oldest public high school west of Mississippi, recognized as one of California's highest-performing public high scools.", + "about_bp": [ + "They have been honored as a National Blue Ribbon school 4 times, and a California Distinguished School 8 times and ranked #1 in the Western region for the number of Advanced Placement (AP) exams offered (31).", + "With a wide range of academic opportunities, Lowell has the largest Visual and Performing Arts Department in the city and a World Language Department with instruction in eight languages.", + "Lowell aims to connect PTSA and Alumni meaningfully within its community.", + "One of the only SFUSD schools with an established journalism program and student-run publication, The Lowell." + ], + "volunteer_form_url": "https://forms.gle/PWzEnLfgVWxcMDRz5", + "donation_url": "https://secure.givelively.org/donate/pta-california-congress-of-parents-teachers-students-inc-san-francisco-ca-8431854/lowell-ptsa-2023-2024-fundraising", + "donation_text": "Donate to Lowell's PTSA. Your donation will fund grants for student organizations, clubs, and teachers. It will also fund college readiness, diversity and inclusion, wellness, and hospitality programs. Any remainder at the end of the school year will go into our rainy day fund for next year.", + "noteable_video": "https://www.youtube.com/embed/c4BiiF55SvU?si=9XB3PhXZAP3ooIZn", + "principal": "Michael Jones", + "instagram_url": "https://www.instagram.com/lowellhs/?hl=en", + "facebook_url": "https://www.facebook.com/pages/Lowell-High-School-San-Francisco/109617595723992", + "website_url": "https://www.sfusd.edu/school/lowell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 605, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 84, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 3, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 96, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Remote (Website, Social Media, Newsletter)", + "details": "Help the PTSA maintain their online presence through remote social media, website, and newsletter maintenace!", + "url": "https://docs.google.com/forms/d/e/1FAIpQLSd_ZykYI3GM9GZOVtnq2x4cnN6GmEwo0rBKhI3nfWwBexl65A/viewform", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/lowell-high-school/4400", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "lowell-high-school.png" + }, + { + "name": "Mission High School", + "address": "3750 18th St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "mission.jpeg", + "latitude": "37.7616", + "longitude": "-122.42698", + "casid": "3834082", + "profile": { + "create": { + "about": "Mission High is the oldest comprehensive public school in San Francisco founded in 1890. The school:", + "about_bp": [ + "Is one of the most diverse schools in the San Francisco public school district, and beginning in the Fall of the 2007/08 school year, the Mission faculty collectively created a working definition of Anti-Racist/Equity education", + "Offers six Career and Tech Ed pathways: Environmental Science, Fire Science and EMS Academy, Media Arts, Peer Resources, Public Health, and Urban Agriculture", + "Has a majority of its students learning English as a second language (or perhaps as third or fourth language)", + "Is a historical landmark. It even has its own museum, founded in 1995 by a former science teacher, for the purpose of preserving and displaying the rich history of Mission High School" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1oene039Zn-fBGxjI2iS2B9n0O-U2BhtDZl-td9M0hNs", + "donation_url": "https://missionhigh.org/make-an-impact/", + "donation_text": "Donate to the Mission High Foundation. The foundation supports educator grants, the Annual College Trip, the food and agriculture program, college preparation, and student wellness.", + "testimonial": "\"I have never seen in other schools' teachers that worry a lot about the student...That\u2019s the difference about Mission, the teachers genuinely want their students to succeed.\"", + "testimonial_author": "Nathaly Perez", + "testimonial_video": "https://www.youtube.com/embed/cmNvxruXUG8?si=dpNJPOM768R3skBM", + "principal": "Valerie Forero", + "instagram_url": "https://www.instagram.com/missionhighfoundation/", + "facebook_url": "https://www.facebook.com/sfmissionhs/", + "website_url": "https://www.sfusd.edu/school/mission-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 243, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 56, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/mission-high-school/4401", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "mission-high-school.png" + }, + { + "name": "John O'Connell Technical High School", + "address": "2355 Folsom St, San Francisco, CA", + "neighborhood": "Mission", + "priority": true, + "img": "johnoconnell.jpeg", + "latitude": "37.75956", + "longitude": "-122.41454", + "casid": "3834769", + "profile": { + "create": { + "about": "JOCHS is a small, academic-focused high school with several career pathways. The school provides:", + "about_bp": [ + "Four integrated Pathways for grades 11-12: Building and Construction Trades, Entrepreneurship and Culinary Arts, Health and Behavioral Sciences, and Public Service. During this time students are assigned professional internships to give them real world experience", + "For grades 9-10, \u201chouse\u201d classes that lead into Pathways when upperclassmen: Humanities and Social Justice, Science, Communication and Sustainability, and Liberation and Resistance Studies" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1SEjtZpA_mx6p-7PnUujdyL-skjRQtn07KBgXV0tPo-w", + "donation_text": "Mail a check made out to John O'Connell High School to:\nJohn O'Connell High School\n2355 Folsom St.\nSan Francisco, CA, 94110", + "testimonial": "\u201cA few of the clubs that I participate in are: Black Student Union, Student Body, Yearbook, and a couple more. I really love my school. I really love how they support us unconditionally\u2026\u201d", + "testimonial_author": "Lonnie, student", + "testimonial_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xSmHawJ6IbiQX-rr&start=231", + "noteable_video": "https://www.youtube.com/embed/dHSG-DS_Vko?si=xlpYHFmZIBAkh4yd", + "principal": "Amy Abero & Susan Ryan (Co-Principals)", + "instagram_url": "https://www.instagram.com/oc_youknow/?hl=en", + "facebook_url": "https://www.facebook.com/OChighschoolSFUSD/", + "website_url": "https://www.sfusd.edu/school/john-oconnell-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 99, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 29, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 40, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 65, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 86, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/john-o-connell-high-school/4402", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "john-oconnell-high-school.png" + }, + { + "name": "Ruth Asawa School of the Arts (SOTA)", + "address": "555 Portola Dr, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "ruthasawa.jpeg", + "latitude": "37.74538", + "longitude": "-122.44965", + "casid": "3830387", + "profile": { + "create": { + "about": "Ruth Asawa School of the Arts (SOTA) is named after renowned sculptor Ruth Asawa who was a passionate advocate for arts in education.", + "about_bp": [ + "SOTA is an audition-based, alternative high school committed to fostering equity and excelling in both arts and academics.", + "Rooted in its vision of artistic excellence, SOTA offers a unique educational experience emphasizing arts, with 6 specialized programs to reflect San Francisco's cultural diversity: DANCE: Conservatory Dance, World Dance, MUSIC: Band, Orchestra, Guitar, Piano, Vocal, and World Music, MEDIA & FILM, THEATRE: Acting, Musical Theatre, THEATER TECHNOLOGY: Costumes, Stagecraft, VISUAL: Drawing & Painting, Architecture & Design.", + "To integrate arts and academics, all SOTA students have art blocks every afternoon, and uniquely, they have an Artists-In-Residence Program partly funded through donations.", + "Co-located with The Academy" + ], + "volunteer_form_url": "https://forms.gle/bRnDEhzXYDD8mhcB6", + "donation_url": "https://app.arts-people.com/index.php?donation=rasa", + "donation_text": "Donate to SOTA's PTSA, which funds artists in residence on campus.", + "testimonial": "\"We have specialized departments ... So it's the perfect school for any aspiring artist.\"", + "testimonial_author": "Ava, Student", + "testimonial_video": "https://www.youtube.com/embed/gouN1t1GxE0?si=ovResdGqAYsklGlF", + "noteable_video": "https://www.youtube.com/embed/zXcnXNEvjoo?si=7-tJ7DywSRThJMw8", + "principal": "Stella Kim", + "instagram_url": "https://www.instagram.com/ruthasawasota/", + "facebook_url": "https://www.facebook.com/AsawaSOTA/", + "website_url": "https://www.sfusd.edu/school/ruth-asawa-san-francisco-school-arts" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 183, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 2, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 97, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/academy-of-arts-sciences/4393", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "ruth-asawa-san-francisco-school-arts.jpg" + }, + { + "name": "The Academy", + "address": "550 Portola Dr #250, San Francisco, CA", + "neighborhood": "Diamond Heights", + "priority": false, + "img": "theacademy.jpeg", + "latitude": "37.745499", + "longitude": "-122.451563", + "casid": "0119958", + "profile": { + "create": { + "about": "The Academy fosters one of the smallest school learning environments, where teachers can closely engage with students, hands-on administrators, and families for a stronger, supportive community.", + "about_bp": [ + "With a focus on individualized support, every Academy student receives college counseling through their four years with 2 full-time academic and dedicated college counselors.", + "They offer a range of extracurricular activities including academic tutoring, enrichment activities, and arts instruction in unique disciplines such as visual arts, modern rock band, photography, and theatre.", + "The Academy aims for a holistic educational experience with comprehensive athletics program and various student support services, including counseling and health and wellness resources.", + "Co-located with Ruth Asawa School of the Arts, on the first floor of the former McAteer Main Building." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1px5HE5JPNp5b5emzPVhadVDh6lRy2r_DWLbXxNvzNrA/edit", + "donation_url": "https://www.paypal.com/paypalme/AcademySFatMcateer?country_x=US&locale_x=en_US", + "donation_text": "Donate to the Academy's PTSA. Your donation is used to support teacher classroom needs, and student events like prom and field trips.", + "noteable_video": "https://drive.google.com/file/d/1GdVL6l4z1dCBDBfnwaRlIVvr9o_KxTLe/preview", + "principal": "Hollie Mack", + "instagram_url": "http://www.instagram.com/academywolvessf", + "facebook_url": "https://www.facebook.com/AcademyWolvesSF", + "website_url": "https://www.sfusd.edu/school/academy-san-francisco-mcateer" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 62, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 56, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 19, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 53, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 89, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/school-of-the-arts-high-school/99136", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "academy-san-francisco-mcateer.jpg" + }, + { + "name": "Thurgood Marshall High School", + "address": "45 Conkling St, San Francisco, CA", + "neighborhood": "Bayview", + "priority": true, + "img": "thurgood.jpeg", + "latitude": "37.73609", + "longitude": "-122.40211", + "casid": "3830403", + "profile": { + "create": { + "about": "Thurgood Marshall High School was founded in 1994, and is located in the southeastern part of San Francisco. The school offers:", + "about_bp": [ + "A refurbished and expanded College & Career Center, a fully staffed Wellness Center, a Peer Resources Program, and a daily after-school tutoring program", + "A special program for recent immigrants and newcomers.", + "Health, housing, immigration, financial support resources for families" + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1TlrrJZZWcKXeZdAKuF2CQkAmTtRXTmGEe3NkRTFYBNE", + "donation_url": "https://thurgood-marshall-academic-high-school-pto.square.site/", + "donation_text": "Donate to Thurgood Marshall's PTSA", + "testimonial": "\u201cI liked this project because we got to practice English and the other person I was working with got to practice her Spanish.\u201d - Darlin on the \u201cEmpathy Project\u201d where native English speakers and English learners practice languages and learn from each other", + "testimonial_author": "Darlin", + "testimonial_video": "https://www.youtube.com/embed/nUIBNpi3VTA?si=2mdebQexdqQuB-Ke", + "noteable_video": "https://www.youtube.com/embed/NclnGjU3zJM?si=g9bnDzFsl3mvGRgM", + "principal": "Sarah Ballard-Hanson", + "instagram_url": "https://www.instagram.com/marshallphoenix/?hl=en", + "facebook_url": "https://www.facebook.com/groups/20606012934/", + "website_url": "https://www.sfusd.edu/school/thurgood-marshall-academic-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 124, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 2, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 75, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/thurgood-marshall-academic-high-school/4394", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "thurgood-marshall-academic-high-school.png" + }, + { + "name": "Wallenberg High School", + "address": "40 Vega St, San Francisco, CA", + "neighborhood": "Western Addition", + "priority": false, + "img": "wallenberg.jpeg", + "latitude": "37.780365", + "longitude": "-122.44621", + "casid": "3830205", + "profile": { + "create": { + "about": "Founded in 1981, the Raoul Wallenberg Traditional High School (or \"Wallenberg\") honors the renowned Swedist diplomat, guided by personal responsibility, compassion, honesty, and integrity for equitable educational outcomes that enhance creativity, self-discipline, and citizenship.", + "about_bp": [ + "Wallenberg provides a rigorous educational program designed to prepare its diverse student body for success in college, careers, and life, including through diagnostic counseling, and college prep (including the AVID program).", + "Wallenberg has three future-focused pathways: Biotechnology, Computer Science (SIM - Socially Inclusive Media), and Environmental Science, Engineering, and Policy (ESEP)", + "Wallenberg focuses on close student-staff relations to foster a culture of support and service that encourages ongoing interaction, assessment, and feedback to promote high achievement and the joy of learning. Parents are actively encouraged to engage with the school community." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/e/1FAIpQLSdlALlSlZCTko4qBryLTunuIVcZGKmVeUl2MA-OPbnoOG15Lg/viewform", + "donation_url": "https://www.paypal.com/donate/?hosted_button_id=NX4GK2S6GQAWN", + "donation_text": "Donate to Wallenberg's PTSA. The PTSA aims to fund programs and events that benefit all Wallenberg students and teachers: building community, inclusion, and tolerance, sponsoring the Reflections Arts Program and Wallapalooza Art Festival, supporting technology and athletic programs, and honoring our teachers by providing them with stipends.", + "testimonial": "\"I really like my teachers because they always want you to perform at your best ... I feel like Wallenberg is a great school for students who want to be in a small community where everyone knows each other and where students and teachers have greater relationships\"", + "testimonial_author": "Ryan", + "testimonial_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=rEoQTInfas1UBk44", + "noteable_video": "https://www.youtube.com/embed/rtSYrHOxN28?si=binBgRGAemfDKbzb", + "principal": "Tanya Harris", + "instagram_url": "https://www.instagram.com/wallenberghs/", + "facebook_url": "https://www.facebook.com/pages/Raoul-Wallenberg-Traditional-High-School/113129858701251", + "website_url": "https://www.sfusd.edu/school/raoul-wallenberg-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 130, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 49, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 42, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 92, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Campus Cleanup", + "details": "Help create a better environment for incoming and current Wallenberg students through cleaning up the gardens and picking up trash.", + "url": "https://www.wallenbergpta.org/blog/categories/volunteers-needed", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/raoul-wallenberg-trad-high-school/4389", + "category": "donate" + }, + { + "name": "Zelle to the email wallenbergptsa@gmail.com", + "details": "", + "url": "pay://zelle?recipient=wallenbergptsa@gmail.com", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "raoul-wallenberg-high-school.png" + }, + { + "name": "George Washington High School", + "address": "600 32nd Ave, San Francisco, CA", + "neighborhood": "Richmond", + "priority": false, + "img": "washington.jpeg", + "latitude": "37.77784", + "longitude": "-122.49174", + "casid": "3839081", + "profile": { + "create": { + "about": "Washington is one of the largest high schools in SFUSD, opened in 1936.", + "about_bp": [ + "Students can choose from more than 100 course offerings, with 52 sections of honors and AP classes.", + "Students can also choose from over 50 campus clubs and student groups and a full inter-scholastic athletic program, with 22 teams in 15 sports.", + "Washington has an active Richmond Neighborhood program, Wellness Center, Parent Teacher Student Association, and Alumni Association.", + "Washington offers a sweeping view of the Golden Gate Bridge from its athletic fields." + ], + "volunteer_form_url": "https://docs.google.com/forms/d/1nEVr6vgTdrHEWnmQvoMXWS6eDxRx20imWMNh7pBUT1Y/edit", + "donation_url": "https://www.gwhsptsa.com/donate", + "donation_text": "Donate to the the school's PTSA", + "testimonial": "\"I went from a 2.8 student to a 3.7 student because teachers believed in me and I in them. Washington was one of the best schools for academics, sports, and overall community.\"", + "principal": "John Schlauraff", + "instagram_url": "http://www.instagram.com/gwhsofficial", + "facebook_url": "https://www.facebook.com/profile.php?id=100067738675467", + "website_url": "https://www.sfusd.edu/school/george-washington-high-school" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 494, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 79, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 92, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Donors Choose", + "details": "", + "url": "https://www.donorschoose.org/schools/california/san-francisco-unified-school-district/george-washington-high-school/4403#projects", + "category": "donate" + }, + { + "name": "GWHS Alumni Association", + "details": "", + "url": "https://givebutter.com/sfgwhsalumni", + "category": "donate" + }, + { + "name": "Richmond Neighborhood Center", + "details": "", + "url": "https://form-renderer-app.donorperfect.io/give/the-richmond-neighborhood-center/new-online-donation", + "category": "donate" + } + ], + "skipDuplicates": true + } + }, + "logo": "george-washington-high-school.jpg" + }, + { + "casid": "6059828", + "name": "A.P. Giannini Middle School", + "address": "3151 Ortega St, San Francisco, CA 94122-4051, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.75113", + "longitude": "-122.49633", + "profile": { + "create": { + "about": "A.P. Giannini Middle School is a diverse and inclusive institution located in the SF Sunset district that emphasizes critical thinking, global consciousness, and social justice to prepare students to be impactful community members and successful professionals.", + "about_bp": [ + "Located in the culturally diverse SF Sunset district with over 50 years of educational excellence.", + "Focuses on student-centered, authentic learning experiences in a supportive and safe environment.", + "Offers a comprehensive curriculum designed to nurture intellectual, social, emotional, and physical development.", + "Commits to reducing demographic inequalities and fostering social justice and equity.", + "Provides extensive professional development for educators in pedagogy and curriculum planning." + ], + "principal": "Tai-Sun Schoeman", + "website_url": "https://www.sfusd.edu/school/ap-giannini-middle-school", + "donation_text": "Mail a check made out to A.P. Giannini Middle School and mail it to:\nA.P. Giannini Middle School\n3151 Ortega St, San Francisco, CA 94122-4051, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$JSRYAhGFt2o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 1164, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 76, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 64, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 41, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "ap-giannini-middle-school.jpg", + "logo": "ap-giannini-middle-school.png" + }, + { + "casid": "6040695", + "name": "Alamo Elementary School", + "address": "250 23rd Ave, San Francisco, CA 94121-2009, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.78308", + "longitude": "-122.48258", + "profile": { + "create": { + "about": "Alamo Elementary School is a vibrant learning community dedicated to fostering academic excellence and personal growth through a rich blend of traditional and innovative educational programs.", + "about_bp": [ + "Strong tradition of high achievement and academic excellence.", + "Inclusive and equitable environment fostered through a comprehensive arts program.", + "Diverse after-school programs, including unique language enrichment and cultural activities.", + "Robust support services including mental health, social work, and speech pathology.", + "Comprehensive English literacy and STEAM program initiatives for enhanced learning." + ], + "principal": "Rosa A. Fong", + "website_url": "https://www.sfusd.edu/school/alamo-elementary-school", + "donation_text": "Mail a check made out to Alamo Elementary School and mail it to:\nAlamo Elementary School\n250 23rd Ave, San Francisco, CA 94121-2009, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Pgfa1PxBhTE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 195, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 68, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "alamo-elementary-school.jpg", + "logo": "alamo-elementary-school.png" + }, + { + "casid": "6113245", + "name": "Alice Fong Yu Alternative School (K-8)", + "address": "1541 12th Ave, San Francisco, CA 94122-3503, United States", + "neighborhood": "Inner Sunset", + "priority": false, + "latitude": "37.75896", + "longitude": "-122.46968", + "profile": { + "create": { + "about": "Alice Fong Yu Alternative School, the nation's first Chinese immersion public school, offers a unique K-8 Chinese language immersion program fostering bilingual skills and global perspectives.", + "about_bp": [ + "Nation's first Chinese immersion public school offering both Cantonese and Mandarin language programs.", + "Rigorous academic curriculum with emphasis on student leadership and environmental stewardship.", + "Comprehensive before and after school tutoring support tailored to student needs.", + "Enrichment activities including ceramic arts, creative movements, and an annual 8th-grade trip to China.", + "Weekly bilingual parent communication ensuring strong parent-school engagement." + ], + "principal": "Liana Szeto", + "website_url": "https://www.sfusd.edu/school/alice-fong-yu-alternative-school-k-8", + "donation_text": "Mail a check made out to Alice Fong Yu Alternative School (K-8) and mail it to:\nAlice Fong Yu Alternative School (K-8)\n1541 12th Ave, San Francisco, CA 94122-3503, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$waVxMsxcPL4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 390, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 82, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 76, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "alice-fong-yu-alternative-school-k-8.png", + "logo": "alice-fong-yu-alternative-school-k-8.png" + }, + { + "casid": "6040703", + "name": "Alvarado Elementary School", + "address": "625 Douglass St, San Francisco, CA 94114-3140, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.75375", + "longitude": "-122.43859", + "profile": { + "create": { + "about": "Alvarado School is a vibrant community-focused educational institution that fosters academic excellence and artistic expression while celebrating diversity and promoting social justice in a safe and engaging environment.", + "about_bp": [ + "Offers a unique Spanish-English Dual Immersion Program, supporting bilingual education.", + "Emphasizes social justice through its varied curriculum, promoting assemblies like Latino Pride and Women's History.", + "Provides a comprehensive arts program, integrating 2D/3D arts, instrumental music, and vocal performances into the curriculum.", + "Cultivates community through before and after school programs and cultural events involving parent volunteers.", + "Utilizes diverse teaching strategies to cater to various learning styles, ensuring engaging and accessible education for all students." + ], + "principal": "Michelle Sundby", + "website_url": "https://www.sfusd.edu/school/alvarado-elementary-school", + "donation_text": "Mail a check made out to Alvarado Elementary School and mail it to:\nAlvarado Elementary School\n625 Douglass St, San Francisco, CA 94114-3140, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$s93JyJQ4V0Y?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 240, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "alvarado-elementary-school.jpg", + "logo": "alvarado-elementary-school.jpg" + }, + { + "casid": "6062020", + "name": "Aptos Middle School", + "address": "105 Aptos Ave, San Francisco, CA 94127-2520, United States", + "neighborhood": "Mt Davidson Manor", + "priority": false, + "latitude": "37.72977", + "longitude": "-122.46626", + "profile": { + "create": { + "about": "Aptos Middle School is dedicated to providing an empowering educational experience focused on mastering Common Core standards, fostering 21st-century skills, and promoting social justice through its T.I.G.E.R. values.", + "about_bp": [ + "Committed to developing students' critical thinking skills and academic competency with a strong emphasis on 21st-century skills.", + "Promotes a culture of teamwork, integrity, grit, empathy, and responsibility known as T.I.G.E.R. values.", + "Offers a comprehensive set of afterschool programs including academic assistance, arts, recreation, and leadership development.", + "Provides specialized programs for students with special needs aligned with inclusive education practices.", + "Emphasizes college and career readiness with programs like AVID and STEAM." + ], + "principal": "Dimitric Roseboro", + "website_url": "https://www.sfusd.edu/school/aptos-middle-school", + "donation_text": "Mail a check made out to Aptos Middle School and mail it to:\nAptos Middle School\n105 Aptos Ave, San Francisco, CA 94127-2520, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$MyLpnXyKkGs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 859, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 50, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "aptos-middle-school.jpg" + }, + { + "casid": "6040737", + "name": "Argonne Elementary School - Extended Year", + "address": "680 18th Ave, San Francisco, CA 94121-3823, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.77539", + "longitude": "-122.47662", + "profile": { + "create": { + "about": "Argonne Elementary School fosters a dynamic learning environment, emphasizing critical and creative thinking with a strong focus on interdisciplinary teaching and project-based learning to prepare students for the 21st century.", + "about_bp": [ + "Emphasizes experiential, project-based learning to ignite passion in students and teachers.", + "Integrates technology and multi-sensory approaches in the curriculum.", + "Strong commitment to equal access and support for all children, acknowledging diverse backgrounds and needs.", + "Offers a variety of after-school programs including special focus on cultural and creative enrichment.", + "Provides comprehensive student support programs including social worker and speech pathologist services." + ], + "principal": "Rebecca Levison", + "website_url": "https://www.sfusd.edu/school/argonne-elementary-school-extended-year", + "donation_text": "Mail a check made out to Argonne Elementary School - Extended Year and mail it to:\nArgonne Elementary School - Extended Year\n680 18th Ave, San Francisco, CA 94121-3823, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 172, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 60, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 36, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "argonne-elementary-school-extended-year.jpeg", + "logo": "argonne-elementary-school-extended-year.png" + }, + { + "casid": "6040752", + "name": "Bessie Carmichael School PreK-8 Filipino Education Center", + "address": "375 7th St, San Francisco, CA 94103-4029, United States", + "neighborhood": "Soma", + "priority": false, + "latitude": "37.77609", + "longitude": "-122.40644", + "profile": { + "create": { + "about": "Bessie PK-8 is a vibrant school committed to antiracist education and equipping each student with a rigorous balance of social-emotional and academic learning, ensuring they are ready for high school, college, and beyond.", + "about_bp": [ + "Driven by the core values of being \"Linked through Love,\" promoting \"Literacy for Liberation,\" and fostering \"Lifelong Learning.\"", + "Strong community roots in SoMa with a rich history.", + "Offers a diverse range of before and after school programs, including Mission Graduates and United Playaz.", + "Comprehensive language programs, including a focus on Filipino through FLES.", + "Robust support services including college counseling, health and wellness center, and social-emotional learning assessments." + ], + "principal": "Rasheena Bell", + "website_url": "https://www.sfusd.edu/school/bessie-carmichael-school-prek-8-filipino-education-center", + "donation_text": "Mail a check made out to Bessie Carmichael School PreK-8 Filipino Education Center and mail it to:\nBessie Carmichael School PreK-8 Filipino Education Center\n375 7th St, San Francisco, CA 94103-4029, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$eZTMnOeak4o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 365, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 7, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "bessie-carmichael-school-prek-8-filipino-education-center.jpg", + "logo": "bessie-carmichael-school-prek-8-filipino-education-center.png" + }, + { + "casid": "6040760", + "name": "Bret Harte Elementary School", + "address": "1035 Gilman Ave, San Francisco, CA 94124-3710, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.71796", + "longitude": "-122.38895", + "profile": { + "create": { + "about": "Bret Harte School is dedicated to delivering high-quality instructional programs that foster individual talents in a diverse and supportive environment, ensuring students are equipped to become productive citizens.", + "about_bp": [ + "Offers a dynamic arts and enrichment curriculum that includes music, dance, visual and performing arts, as well as sports programs.", + "Promotes cultural diversity and equity with inclusive language and special education programs.", + "Features robust community partnerships to enhance student learning with organizations like the San Francisco Symphony and Bay Area Discovery Museum.", + "Provides extensive before and after school care programs, enriching activities, and academic support services.", + "Prioritizes parent involvement and professional accountability amongst staff to ensure student success." + ], + "principal": "Jeremy Hilinski", + "website_url": "https://www.sfusd.edu/school/bret-harte-elementary-school", + "donation_text": "Mail a check made out to Bret Harte Elementary School and mail it to:\nBret Harte Elementary School\n1035 Gilman Ave, San Francisco, CA 94124-3710, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$86GiEHW5tJY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 113, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 18, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 53, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "bret-harte-elementary-school.jpg", + "logo": "bret-harte-elementary-school.png" + }, + { + "casid": "6040778", + "name": "Bryant Elementary School", + "address": "2641 25th St, San Francisco, CA 94110-3514, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.7517", + "longitude": "-122.40495", + "profile": { + "create": { + "about": "Bryant Elementary School is a nurturing community school in San Francisco's Mission District, dedicated to fostering life-long learners and creative, socially responsible critical thinkers through high expectations and community engagement.", + "about_bp": [ + "Foster life-long learning with a focus on core values like curiosity, empathy, and self-confidence.", + "Offers both a Spanish biliteracy and English Plus pathway to enhance literacy and bilingual capabilities.", + "Provides extensive after-school programs with extracurricular activities such as music, dance, and sports.", + "Community partnership and involvement in active CARE and Mental Health Collaborative Teams for student support.", + "Inclusive environment featuring small group instruction and extensive student support services including mental health resources." + ], + "principal": "Gilberto Parada", + "website_url": "https://www.sfusd.edu/school/bryant-elementary-school", + "donation_text": "Mail a check made out to Bryant Elementary School and mail it to:\nBryant Elementary School\n2641 25th St, San Francisco, CA 94110-3514, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 122, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 6, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 63, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "bryant-elementary-school.jpg", + "logo": "bryant-elementary-school.jpg" + }, + { + "casid": "6062046", + "name": "Buena Vista Horace Mann K-8 Community School", + "address": "3351 23rd St, San Francisco, CA 94110-3031, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75357", + "longitude": "-122.42028", + "profile": { + "create": { + "about": "BVHM is a vibrant K-8 dual-language Spanish Immersion Community School located in the Mission District, dedicated to nurturing bilingual and multicultural students who excel academically, socially, and artistically.", + "about_bp": [ + "Offers a strong Spanish Dual Language Immersion program fostering bilingualism and cultural understanding.", + "Incorporates a visionary social justice perspective empowering students to become community change agents.", + "Features robust before and after school programs ensuring comprehensive student support.", + "Provides extensive academic enrichment opportunities including STEAM and arts programs.", + "Focuses on social-emotional learning to create a culturally responsive and supportive school climate." + ], + "principal": "Claudia Delarios-Moran", + "website_url": "https://www.sfusd.edu/school/buena-vista-horace-mann-k-8-community-school", + "donation_text": "Mail a check made out to Buena Vista Horace Mann K-8 Community School and mail it to:\nBuena Vista Horace Mann K-8 Community School\n3351 23rd St, San Francisco, CA 94110-3031, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$qE6EHDVV1yc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 402, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 52, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 71, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "buena-vista-horace-mann-k-8-community-school.jpg", + "logo": "buena-vista-horace-mann-k-8-community-school.jpg" + }, + { + "casid": "6041149", + "name": "C\u00e9sar Ch\u00e1vez Elementary School", + "address": "825 Shotwell St, San Francisco, CA 94110-3212, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75516", + "longitude": "-122.41531", + "profile": { + "create": { + "about": "C\u00e9sar Ch\u00e1vez Elementary School in the heart of the Mission District is devoted to empowering students through biliteracy, academic excellence, and a nurturing community atmosphere, all driven by a \u00a1s\u00ed se puede! philosophy.", + "about_bp": [ + "Focus on biliteracy with a comprehensive Spanish program from Kindergarten through 5th grade.", + "Strong commitment to diversity, excellence, and personal growth across academic and social domains.", + "Rich partnerships with community organizations like Boys and Girls Club, Mission Girls, and more.", + "Comprehensive arts enrichment including dance, visual arts, and music integrated within the curriculum.", + "Dedicated staff providing individualized support tailored to meet each student's unique needs." + ], + "principal": "Lindsay Dowdle", + "website_url": "https://www.sfusd.edu/school/cesar-chavez-elementary-school", + "donation_text": "Mail a check made out to C\u00e9sar Ch\u00e1vez Elementary School and mail it to:\nC\u00e9sar Ch\u00e1vez Elementary School\n825 Shotwell St, San Francisco, CA 94110-3212, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$nZXIwsOfQm4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 205, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 68, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "0120386", + "name": "Chinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821", + "address": "1250 Waller St, San Francisco, CA 94117-2919, United States", + "neighborhood": "Haight", + "priority": false, + "latitude": "37.76958", + "longitude": "-122.44428", + "profile": { + "create": { + "about": "The Chinese Immersion School at De Avila offers a dual language immersion program in Cantonese and English for grades K-5, fostering a nurturing environment that emphasizes the holistic development of students into globally responsible citizens.", + "about_bp": [ + "Dual language immersion in Cantonese and English for comprehensive language development.", + "Caring and nurturing environment focused on the whole child's development.", + "Award-winning arts programs with opportunities in ceramics, music, dance, and visual arts.", + "Robust support services including a dedicated resource specialist and English literacy intervention.", + "Extensive before and after school care offered through partnership with Buchanan YMCA." + ], + "principal": "Mia Yee", + "website_url": "https://www.sfusd.edu/school/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao", + "donation_text": "Mail a check made out to Chinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821 and mail it to:\nChinese Immersion School at De Avila \u4e2d\u6587\u6c88\u6d78\u5b78\u6821\n1250 Waller St, San Francisco, CA 94117-2919, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$DizmdHZUfrk?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 182, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 82, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 44, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg", + "logo": "chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png" + }, + { + "casid": "3830445", + "name": "Civic Center Secondary School", + "address": "727 Golden Gate Ave, San Francisco, CA 94102-3101, United States", + "neighborhood": "Civic Center", + "priority": false, + "latitude": "37.7803", + "longitude": "-122.42294", + "profile": { + "create": { + "about": "Civic Center Secondary School is a supportive community aimed at providing educational services for at-risk students in grades 7-12, fostering an inclusive, safe, and caring learning environment.", + "about_bp": [ + "Serves students assigned due to expulsion, juvenile probation, foster care, or behavioral interventions, breaking the pipeline to prison.", + "Focuses on creating a trauma-sensitive environment with small classroom cohorts and multi-disciplinary teaching teams.", + "Provides support for job readiness, substance use awareness, and individual case management with community partners.", + "Promotes educational success by fostering a caring and inclusive environment that addresses the needs of underrepresented students." + ], + "principal": "Angelina Gonzalez", + "website_url": "https://www.sfusd.edu/school/civic-center-secondary-school", + "donation_text": "Mail a check made out to Civic Center Secondary School and mail it to:\nCivic Center Secondary School\n727 Golden Gate Ave, San Francisco, CA 94102-3101, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 38, + "unit": "", + "category": "about" + }, + { + "name": "Students with Special Needs", + "value": 39, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 81, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 81, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "logo": "civic-center-secondary-school.png" + }, + { + "casid": "6102479", + "name": "Claire Lilienthal Alternative School (K-2 Madison Campus)", + "address": "3950 Sacramento St, San Francisco, CA 94118-1628, United States", + "neighborhood": "Presidio Heights", + "priority": false, + "latitude": "37.78697", + "longitude": "-122.45779", + "profile": { + "create": { + "about": "Claire Lilienthal is a California Distinguished School committed to fostering academic excellence, cultural diversity, and social inclusion while nurturing each student's potential.", + "about_bp": [ + "Dedicated to equity, academic excellence, and strong parent partnerships.", + "Offers comprehensive programs like Readers and Writers Workshop, Project-Based Learning, and Social-Emotional Learning.", + "Unique Korean Dual Language Immersion Program, the only one in Northern California.", + "Extensive arts integration in collaboration with SFArtsEd to deliver a rich arts education.", + "Outdoor Education trips and a flourishing garden program enrich students' learning experiences." + ], + "principal": "Molly Pope", + "website_url": "https://www.sfusd.edu/school/claire-lilienthal-alternative-school-k-2-madison-campus", + "donation_text": "Mail a check made out to Claire Lilienthal Alternative School (K-2 Madison Campus) and mail it to:\nClaire Lilienthal Alternative School (K-2 Madison Campus)\n3950 Sacramento St, San Francisco, CA 94118-1628, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 415, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 25, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "claire-lilienthal-alternative-school-k-2-madison-campus.png", + "logo": "claire-lilienthal-alternative-school-k-8.jpg" + }, + { + "casid": "6040828", + "name": "Clarendon Alternative Elementary School", + "address": "500 Clarendon Ave, San Francisco, CA 94131-1113, United States", + "neighborhood": "Forest Knolls", + "priority": false, + "latitude": "37.75354", + "longitude": "-122.45611", + "profile": { + "create": { + "about": "Clarendon is dedicated to fostering high-achieving and joyful learners through its diverse educational programs and strong community involvement.", + "about_bp": [ + "High level of parent participation enhancing the school community.", + "Comprehensive enrichment programs including fine arts, music, computer, and physical education.", + "Strong emphasis on respect and responsibility throughout the school.", + "Safe and secure environment welcoming all families as partners in education.", + "Engagement in thematic lessons promoting critical thinking and interaction." + ], + "principal": "Carrie Maloney", + "website_url": "https://www.sfusd.edu/school/clarendon-alternative-elementary-school", + "donation_text": "Mail a check made out to Clarendon Alternative Elementary School and mail it to:\nClarendon Alternative Elementary School\n500 Clarendon Ave, San Francisco, CA 94131-1113, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$m_91VeRgsQM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 259, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 77, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 39, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "clarendon-alternative-elementary-school.jpg" + }, + { + "casid": "6040836", + "name": "Cleveland Elementary School", + "address": "455 Athens St, San Francisco, CA 94112-2801, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.72062", + "longitude": "-122.42896", + "profile": { + "create": { + "about": "Located in the vibrant Excelsior District of San Francisco, Cleveland School is dedicated to fostering an inclusive and collaborative learning environment that empowers students to become active, respectful, and responsible citizens.", + "about_bp": [ + "Rich language programs including a Spanish Bilingual Program enhancing biliteracy.", + "Committed to differentiated instruction to cater to diverse learning needs.", + "Strong community collaboration with involvement in school decision-making and event planning.", + "A variety of cultural celebrations that promote inclusivity and community bonding.", + "Comprehensive after-school programs that provide enrichment and support." + ], + "principal": "Marlon Escobar", + "website_url": "https://www.sfusd.edu/school/cleveland-elementary-school", + "donation_text": "Mail a check made out to Cleveland Elementary School and mail it to:\nCleveland Elementary School\n455 Athens St, San Francisco, CA 94112-2801, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$E4ZkMxI6Xb0?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 170, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 72, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "cleveland-elementary-school.jpg", + "logo": "cleveland-elementary-school.png" + }, + { + "casid": "6040851", + "name": "Commodore Sloat Elementary School", + "address": "50 Darien Way, San Francisco, CA 94127-1902, United States", + "neighborhood": "Balboa Terrace", + "priority": false, + "latitude": "37.73173", + "longitude": "-122.47093", + "profile": { + "create": { + "about": "Commodore Sloat School is a high-performing institution committed to developing creative and critical thinkers who excel academically and thrive in a rapidly-changing world.", + "about_bp": [ + "Experienced staff dedicated to fostering higher levels of academic performance and critical thinking.", + "Comprehensive curriculum that integrates arts, music, and gardening to enhance learning and retention.", + "Focus on teaching ethical decision-making, evidence-based conclusions, and civic engagement.", + "Robust array of after-school programs provided by the YMCA, ensuring a supportive environment beyond school hours.", + "Commitment to nurturing 21st-century critical thinkers with a focus on social-emotional learning and school community involvement." + ], + "principal": "Fowzigiah Abdolcader", + "website_url": "https://www.sfusd.edu/school/commodore-sloat-elementary-school", + "donation_text": "Mail a check made out to Commodore Sloat Elementary School and mail it to:\nCommodore Sloat Elementary School\n50 Darien Way, San Francisco, CA 94127-1902, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$_OF_YsVLn0g?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 196, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 68, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 50, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "commodore-sloat-elementary-school.jpg", + "logo": "commodore-sloat-elementary-school.png" + }, + { + "casid": "6040893", + "name": "Daniel Webster Elementary School", + "address": "465 Missouri St, San Francisco, CA 94107-2826, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.76052", + "longitude": "-122.39584", + "profile": { + "create": { + "about": "Daniel Webster Elementary School is a vibrant and diverse community dedicated to fostering a multicultural environment and equitable education through both General Education and Spanish Dual-Immersion programs, aiming to involve families and the community in holistic student development.", + "about_bp": [ + "Small, intimate school with a focus on multicultural inclusivity and equity.", + "Offers both General Education and Spanish Dual-Immersion strands.", + "Strong parent involvement and community-led initiatives enhance educational programs.", + "Comprehensive arts integration across curriculum, including visual arts, music, dance, and theater.", + "Commitment to students' social-emotional development with programs like RTI, PBIS, and Restorative Practices." + ], + "principal": "Anita Parameswaran", + "website_url": "https://www.sfusd.edu/school/daniel-webster-elementary-school", + "donation_text": "Mail a check made out to Daniel Webster Elementary School and mail it to:\nDaniel Webster Elementary School\n465 Missouri St, San Francisco, CA 94107-2826, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$hUrEWxGxJdw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 167, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 53, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 42, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "daniel-webster-elementary-school.png", + "logo": "daniel-webster-elementary-school.png" + }, + { + "casid": "0111427", + "name": "Dianne Feinstein Elementary School", + "address": "2550 25th Ave, San Francisco, CA 94116-2901, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.73962", + "longitude": "-122.48176", + "profile": { + "create": { + "about": "Dianne Feinstein School is dedicated to fostering a dynamic learning environment, empowering students through a well-rounded education that encourages independence and community interaction, grounded in integrity and respect.", + "about_bp": [ + "Dynamic, well-rounded education for all students.", + "Strong focus on community involvement and open communication.", + "A variety of cultural and enrichment programs including UMOJA cultural celebrations.", + "Partnership with Lincoln High School Teacher Academy for volunteer support.", + "Comprehensive support services including health and wellness center and on-site social worker." + ], + "principal": "Christina Jung", + "website_url": "https://www.sfusd.edu/school/dianne-feinstein-elementary-school", + "donation_text": "Mail a check made out to Dianne Feinstein Elementary School and mail it to:\nDianne Feinstein Elementary School\n2550 25th Ave, San Francisco, CA 94116-2901, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 181, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 52, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "dianne-feinstein-elementary-school.jpg", + "logo": "dianne-feinstein-elementary-school.jpeg" + }, + { + "casid": "6040984", + "name": "Dolores Huerta Elementary School", + "address": "65 Chenery St, San Francisco, CA 94131-2706, United States", + "neighborhood": "Glen Park", + "priority": false, + "latitude": "37.74045", + "longitude": "-122.42501", + "profile": { + "create": { + "about": "Dolores Huerta Elementary is dedicated to fostering high academic standards within a culturally rich environment that celebrates bilingualism and multiculturalism, preparing students to thrive in a global society.", + "about_bp": [ + "Collaborative educators delivering a rigorous, standards-based curriculum.", + "Commitment to social justice and equity, providing tailored support to all students.", + "Emphasis on bilingualism and multiculturalism as essential 21st-century skills.", + "Comprehensive extracurricular activities enhancing adventurous learning.", + "Strong partnership with Mission YMCA offering extended learning and enrichment." + ], + "principal": "Edward Garnica", + "website_url": "https://www.sfusd.edu/school/dolores-huerta-elementary-school", + "donation_text": "Mail a check made out to Dolores Huerta Elementary School and mail it to:\nDolores Huerta Elementary School\n65 Chenery St, San Francisco, CA 94131-2706, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Uvxq4VpbGeE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 185, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 33, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 36, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 66, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "dolores-huerta-elementary-school.jpg" + }, + { + "casid": "6104673", + "name": "Dr. Charles R. Drew College Preparatory Academy", + "address": "50 Pomona St, San Francisco, CA 94124-2344, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.73175", + "longitude": "-122.39367", + "profile": { + "create": { + "about": "Dr. Charles R. Drew College Preparatory Academy nurtures student potential through a dedicated staff and a focus on creativity, social, and emotional development, ensuring a vibrant learning environment.", + "about_bp": [ + "Committed to academic and personal development of every student.", + "Staff has over 100 years of collective teaching experience.", + "Offers a range of enrichment and support programs.", + "All teachers meet California's 'Highly Qualified' criteria.", + "Provides annual accountability and climate reports in multiple languages." + ], + "principal": "Vidrale Franklin", + "website_url": "https://www.sfusd.edu/school/dr-charles-r-drew-college-preparatory-academy", + "donation_text": "Mail a check made out to Dr. Charles R. Drew College Preparatory Academy and mail it to:\nDr. Charles R. Drew College Preparatory Academy\n50 Pomona St, San Francisco, CA 94124-2344, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uJoPgrg2fqI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 63, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 3, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 78, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-charles-r-drew-college-preparatory-academy.jpg", + "logo": "dr-charles-r-drew-college-preparatory-academy.png" + }, + { + "casid": "6093496", + "name": "Dr. George Washington Carver Elementary School", + "address": "1360 Oakdale Ave, San Francisco, CA 94124-2724, United States", + "neighborhood": "Bayview", + "priority": false, + "latitude": "37.7319", + "longitude": "-122.38563", + "profile": { + "create": { + "about": "Carver Elementary School is a dedicated learning institution in the Bayview-Hunter's Point community, committed to providing personalized and rigorous education centered on literacy to develop future readers, leaders, and scholars.", + "about_bp": [ + "Compassionate and dedicated staff committed to each student's academic and personal success.", + "Offers a variety of enrichment opportunities, including hands-on science and creative arts programs.", + "Strong focus on literacy as a foundation for rigorous education and leadership development.", + "Partnership with the Boys & Girls Clubs to offer a comprehensive after-school program.", + "Award-winning school with a history of maintaining high standards of excellence." + ], + "principal": "Makaela Manning", + "website_url": "https://www.sfusd.edu/school/dr-george-washington-carver-elementary-school", + "donation_text": "Mail a check made out to Dr. George Washington Carver Elementary School and mail it to:\nDr. George Washington Carver Elementary School\n1360 Oakdale Ave, San Francisco, CA 94124-2724, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$jMgVeF3qckc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 48, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 13, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 6, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 91, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-george-washington-carver-elementary-school.jpg", + "logo": "dr-george-washington-carver-elementary-school.png" + }, + { + "casid": "6059885", + "name": "Dr. Martin Luther King, Jr. Academic Middle School", + "address": "350 Girard St, San Francisco, CA 94134-1469, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72777", + "longitude": "-122.40549", + "profile": { + "create": { + "about": "Dr. Martin Luther King, Jr. Academic Middle School fosters a diverse and inclusive learning environment, emphasizing scholarship, leadership, and entrepreneurship to cultivate lifelong learners.", + "about_bp": [ + "Diverse and multicultural school environment attracting students from across San Francisco.", + "Equitable access to meaningful and relevant curriculum for all students.", + "Focus on developing scholarship, sportsmanship, mentorship, leadership, and entrepreneurship.", + "Comprehensive support programs including advisory, counseling, and college guidance.", + "Rich arts and athletics programs promoting holistic development of students." + ], + "principal": "Tyson Fechter", + "website_url": "https://www.sfusd.edu/school/dr-martin-luther-king-jr-academic-middle-school", + "donation_text": "Mail a check made out to Dr. Martin Luther King, Jr. Academic Middle School and mail it to:\nDr. Martin Luther King, Jr. Academic Middle School\n350 Girard St, San Francisco, CA 94134-1469, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 364, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 21, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-martin-luther-king-jr-academic-middle-school.jpg", + "logo": "dr-martin-luther-king-jr-academic-middle-school.jpg" + }, + { + "casid": "6040968", + "name": "Dr. William L. Cobb Elementary School", + "address": "2725 California St, San Francisco, CA 94115-2513, United States", + "neighborhood": "Lower Pacific Heights", + "priority": false, + "latitude": "37.78803", + "longitude": "-122.43952", + "profile": { + "create": { + "about": "Dr. William L. Cobb Elementary School is a historic institution in San Francisco's Lower Pacific Heights, celebrated for its commitment to fostering each child's potential within a nurturing, inclusive, and creative community.", + "about_bp": [ + "Small class sizes ensure personalized attention for every student.", + "State-of-the-art technology and a renovated facility enhance the learning experience.", + "Vibrant arts programs including music, drama, and visual arts allow students to explore their creativity.", + "Strong partnerships with community organizations offer students diverse extracurricular opportunities.", + "Focus on culturally sensitive pedagogy and critical-thinking skills through collaborative projects." + ], + "principal": "Jeri Dean", + "website_url": "https://www.sfusd.edu/school/dr-william-l-cobb-elementary-school", + "donation_text": "Mail a check made out to Dr. William L. Cobb Elementary School and mail it to:\nDr. William L. Cobb Elementary School\n2725 California St, San Francisco, CA 94115-2513, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$P6PeigH6-60?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 54, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 83, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "dr-william-l-cobb-elementary-school.jpg", + "logo": "dr-william-l-cobb-elementary-school.png" + }, + { + "casid": "6040943", + "name": "E.R. Taylor Elementary School", + "address": "423 Burrows St, San Francisco, CA 94134-1449, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72783", + "longitude": "-122.40733", + "profile": { + "create": { + "about": "E.R. Taylor Elementary is a nurturing PK-5th grade school in San Francisco's Garden District, committed to fostering academic excellence and personal growth with a strong emphasis on preparing students to be college-ready.", + "about_bp": [ + "Located in San Francisco's vibrant Garden District, offering a supportive and community-focused learning environment.", + "Emphasizes a comprehensive curriculum aligned with SFUSD Common Core standards and innovative instructional practices.", + "Offers three language pathways: English Plus, Spanish Biliteracy, and Cantonese Biliteracy to support diverse language learners.", + "Provides extensive after-school programs and extracurricular activities, including arts, music, and sports, in collaboration with Bay Area Community Resources.", + "Focuses on social-emotional development through programs like Second Step and Positive Interventions Behavior Support (PBIS)." + ], + "principal": "David Norris", + "website_url": "https://www.sfusd.edu/school/er-taylor-elementary-school", + "donation_text": "Mail a check made out to E.R. Taylor Elementary School and mail it to:\nE.R. Taylor Elementary School\n423 Burrows St, San Francisco, CA 94134-1449, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Ue7KfQRu6AA?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 297, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 45, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 42, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 88, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "er-taylor-elementary-school.jpeg", + "logo": "er-taylor-elementary-school.png" + }, + { + "casid": "6089569", + "name": "Edwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821", + "address": "950 Clay St, San Francisco, CA 94108-1521, United States", + "neighborhood": "Chinatown", + "priority": false, + "latitude": "37.79442", + "longitude": "-122.40879", + "profile": { + "create": { + "about": "Edwin and Anita Lee Newcomer School offers a unique one-year transitional program for newly-arrived, Chinese-speaking immigrant students, focusing on foundational English skills and social-emotional learning to bridge cultural and educational gaps.", + "about_bp": [ + "Specialized in helping Chinese-speaking immigrant students transition into the American educational system.", + "Comprehensive focus on developing English language skills, including reading, writing, and oral communication.", + "Emphasizes social-emotional learning to support students' adjustment and growth mindset.", + "Provides robust family support programs to help parents assist their children's transition.", + "Features an arts-enriched curriculum with performing and visual arts classes for all students." + ], + "principal": "Lisa Kwong", + "website_url": "https://www.sfusd.edu/school/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao", + "donation_text": "Mail a check made out to Edwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821 and mail it to:\nEdwin and Anita Lee Newcomer School \u674e\u5b5f\u8ce2\u4f09\u5137\u65b0\u79fb\u6c11\u5b78\u6821\n950 Clay St, San Francisco, CA 94108-1521, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ABLV35fxMIw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg", + "logo": "edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg" + }, + { + "casid": "6040950", + "name": "El Dorado Elementary School", + "address": "70 Delta St, San Francisco, CA 94134-2145, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.71862", + "longitude": "-122.40715", + "profile": { + "create": { + "about": "El Dorado is a vibrant school committed to fostering a diverse educational environment where teachers, staff, and parents collaborate to nurture the academic and social growth of every student.", + "about_bp": [ + "Focus on teaching the whole child through a balanced approach to literacy and innovative instructional practices.", + "Exceptional extended learning opportunities in visual and performing arts, science, and outdoor education.", + "Dedicated support services including special education, health and wellness centers, and student mentoring.", + "Engaging monthly school-wide events such as Literacy Night, Math Night, and Cultural Assemblies.", + "Comprehensive school achievement planning with a strong emphasis on social-emotional learning." + ], + "principal": "Danielle Cordova-Camou", + "website_url": "https://www.sfusd.edu/school/el-dorado-elementary-school", + "donation_text": "Mail a check made out to El Dorado Elementary School and mail it to:\nEl Dorado Elementary School\n70 Delta St, San Francisco, CA 94134-2145, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$nWDBQZktp08?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 51, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 4, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 81, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "el-dorado-elementary-school.png", + "logo": "el-dorado-elementary-school.png" + }, + { + "casid": "6062038", + "name": "Everett Middle School", + "address": "450 Church St, San Francisco, CA 94114-1721, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.76369", + "longitude": "-122.42886", + "profile": { + "create": { + "about": "Everett Middle School, located at the intersection of the Castro and Mission districts, is a diverse and inclusive school dedicated to empowering students to become world-changers through a supportive environment and comprehensive educational programs.", + "about_bp": [ + "Diverse and inclusive environment catering to a wide range of student needs, including special education and English learners.", + "Unique Spanish Immersion program integrated with general education for a holistic learning experience.", + "Extensive after-school program providing academic support and enrichment activities such as art, sports, and technology.", + "Rotating block schedule offering in-depth courses and socio-emotional learning through daily homerooms.", + "Committed to building strong academic identities with standards-based grading and small group interventions." + ], + "principal": "Heidi Avelina Smith", + "website_url": "https://www.sfusd.edu/school/everett-middle-school", + "donation_text": "Mail a check made out to Everett Middle School and mail it to:\nEverett Middle School\n450 Church St, San Francisco, CA 94114-1721, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$0ibm_950jXQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 508, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 15, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 9, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 54, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 70, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "everett-middle-school.jpg", + "logo": "everett-middle-school.jpg" + }, + { + "casid": "6041008", + "name": "Francis Scott Key Elementary School", + "address": "1530 43rd Ave, San Francisco, CA 94122-2925, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.7581", + "longitude": "-122.502", + "profile": { + "create": { + "about": "Francis Scott Key Elementary School offers a supportive and challenging learning environment in an art deco style building, promoting respect, diversity, and holistic education with a focus on 21st-century skills through STEAM education.", + "about_bp": [ + "Founded in 1903 and housed in a historic art deco building renovated in 2012, ensuring full ADA compliance.", + "Offers a vibrant afterschool program with academic support and extracurricular activities like language classes in Mandarin and Spanish, science and art programs.", + "Emphasizes a student-centered approach with high expectations, fostering a collaborative, diverse, and supportive learning community.", + "Provides specialized education programs for students with special needs and integrated STEAM-focused learning.", + "Engages with the community through the Shared School Yard program, allowing public use of facilities on weekends." + ], + "principal": "Cynthia Lam", + "website_url": "https://www.sfusd.edu/school/francis-scott-key-elementary-school", + "donation_text": "Mail a check made out to Francis Scott Key Elementary School and mail it to:\nFrancis Scott Key Elementary School\n1530 43rd Ave, San Francisco, CA 94122-2925, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$GI2PfJ2PQAs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 271, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 71, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 32, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "francis-scott-key-elementary-school.jpg", + "logo": "francis-scott-key-elementary-school.png" + }, + { + "casid": "6059844", + "name": "Francisco Middle School", + "address": "2190 Powell St, San Francisco, CA 94133-1949, United States", + "neighborhood": "North Beach", + "priority": false, + "latitude": "37.8047", + "longitude": "-122.41159", + "profile": { + "create": { + "about": "Francisco Middle School, nestled within the culturally rich Chinatown-North Beach area, excels in providing a purposeful educational experience tailored to meet the needs of a diverse community of learners.", + "about_bp": [ + "Located in the vibrant Chinatown-North Beach community, fostering a rich cultural experience.", + "Focuses on the joy of learning and individual student growth through personal relationships.", + "Equipped with a network-ready computer lab and technology resources in every classroom.", + "Offers a comprehensive range of programs from language to special education, ensuring inclusivity.", + "Promotes continuous improvement and resilience as key elements of student development." + ], + "principal": "Sang-Yeon Lee", + "website_url": "https://www.sfusd.edu/school/francisco-middle-school", + "donation_text": "Mail a check made out to Francisco Middle School and mail it to:\nFrancisco Middle School\n2190 Powell St, San Francisco, CA 94133-1949, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rd_iXhZV68k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 524, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 40, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 32, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "francisco-middle-school.jpg", + "logo": "francisco-middle-school.jpg" + }, + { + "casid": "6041016", + "name": "Frank McCoppin Elementary School", + "address": "651 6th Ave, San Francisco, CA 94118-3804, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.77629", + "longitude": "-122.46421", + "profile": { + "create": { + "about": "Nestled near the iconic Golden Gate Park, McCoppin Elementary School is a distinguished institution committed to nurturing academic excellence and fostering an inclusive and equitable learning environment for all its students.", + "about_bp": [ + "Renowned for its individualized teaching approach, supported by a diverse team of specialists including a speech clinician and school psychologist.", + "Led by Principal Bennett Lee, a visionary leader since 2001, dedicated to progressive education and continuous positive change.", + "Showcases modern facilities including recently renovated classrooms, a multipurpose area, and a vibrant community mural.", + "Offers a comprehensive suite of before and after school programs, featuring Mandarin and Spanish classes as well as sports activities.", + "Promotes a rich array of enrichment programs during school hours, from arts and music to outdoor education and performing arts." + ], + "principal": "Bennett Lee", + "website_url": "https://www.sfusd.edu/mccoppin", + "donation_text": "Mail a check made out to Frank McCoppin Elementary School and mail it to:\nFrank McCoppin Elementary School\n651 6th Ave, San Francisco, CA 94118-3804, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$1I5dpskYhK8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 106, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 41, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "mccoppin.jpg", + "logo": "mccoppin.png" + }, + { + "casid": "6041040", + "name": "Garfield Elementary School", + "address": "420 Filbert St, San Francisco, CA 94133-3002, United States", + "neighborhood": "Telegraph Hill", + "priority": false, + "latitude": "37.80189", + "longitude": "-122.40663", + "profile": { + "create": { + "about": "Garfield School is dedicated to fostering positive self-esteem and lifelong learning, ensuring students achieve personal and academic success while nurturing a sense of personal and civic responsibility.", + "about_bp": [ + "Equity-focused education that meets each student's needs and supports success at all levels.", + "A nurturing environment promoting social justice and respect for diverse perspectives.", + "Engaging teaching methods using games, songs, and projects to make learning enjoyable.", + "Strong community involvement through school-wide events and performances.", + "Effective communication with families through newsletters and weekly meetings." + ], + "principal": "Karen Maruoka", + "website_url": "https://www.sfusd.edu/school/garfield-elementary-school", + "donation_text": "Mail a check made out to Garfield Elementary School and mail it to:\nGarfield Elementary School\n420 Filbert St, San Francisco, CA 94133-3002, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$JNqzP6YEZVM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 85, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 55, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 31, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 55, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "6041065", + "name": "George Peabody Elementary School", + "address": "251 6th Ave, San Francisco, CA 94118-2311, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.78393", + "longitude": "-122.46479", + "profile": { + "create": { + "about": "George Peabody is a nurturing and academically rigorous elementary school in San Francisco, designed to provide students with foundational skills and lifelong learning enthusiasm in a supportive and community-oriented environment.", + "about_bp": [ + "Located in the heart of San Francisco's Inner Richmond, George Peabody offers a safe, family-feel environment for all students.", + "The school provides a comprehensive education program that includes social-emotional learning, physical education, arts and after-school enrichment.", + "Students benefit from unique programs like the Kimochis SEL curriculum and PeabodyOutside, which focuses on outdoor learning experiences.", + "A variety of after-school programs available through partnerships with local organizations and the PTA enhance student engagement and learning.", + "Strong community connections are fostered through regular events and collaborations with the PTA and Student Council." + ], + "principal": "Willem Vroegh", + "website_url": "https://www.sfusd.edu/school/george-peabody-elementary-school", + "donation_text": "Mail a check made out to George Peabody Elementary School and mail it to:\nGeorge Peabody Elementary School\n251 6th Ave, San Francisco, CA 94118-2311, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rD7AP_Uklk8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 129, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 78, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 21, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "george-peabody-elementary-school.jpg", + "logo": "george-peabody-elementary-school.jpg" + }, + { + "casid": "6099154", + "name": "George R. Moscone Elementary School", + "address": "2576 Harrison St, San Francisco, CA 94110-2720, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.75639", + "longitude": "-122.41246", + "profile": { + "create": { + "about": "George R. Moscone Elementary School, situated in the vibrant Mission District, fosters a multicultural environment where a committed faculty and diverse student body collaborate to achieve excellence in academic, social, and emotional development.", + "about_bp": [ + "Multicultural environment with a focus on cultural and linguistic diversity.", + "Daily opportunities for student engagement through music, movement, and project-based learning.", + "Strong communication with families supported by translations in English, Chinese, and Spanish.", + "Robust after-school programs including partnerships with community organizations.", + "Comprehensive support services including a family liaison, mentoring, and specialized academic interventions." + ], + "principal": "Sarah Twiest", + "website_url": "https://www.sfusd.edu/school/george-r-moscone-elementary-school", + "donation_text": "Mail a check made out to George R. Moscone Elementary School and mail it to:\nGeorge R. Moscone Elementary School\n2576 Harrison St, San Francisco, CA 94110-2720, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$9ojTQ422jRY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 186, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 33, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 49, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 85, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "george-r-moscone-elementary-school.jpeg", + "logo": "george-r-moscone-elementary-school.png" + }, + { + "casid": "6041073", + "name": "Glen Park Elementary School", + "address": "151 Lippard Ave, San Francisco, CA 94131-3249, United States", + "neighborhood": "Glen Park", + "priority": false, + "latitude": "37.73311", + "longitude": "-122.43563", + "profile": { + "create": { + "about": "The Glen Park School is a vibrant and inclusive community focused on fostering social justice, high achievement, and emotional growth for all its students.", + "about_bp": [ + "Committed to providing equitable access to learning opportunities and valuing all voices within the community.", + "Offers a restorative approach to problem-solving and conflict resolution across the school community.", + "Regularly showcases academic and artistic work, allowing students to bask in the satisfaction of their accomplishments.", + "Provides comprehensive literacy support in both English and Spanish along with access to a Wellness Center and a full-time librarian.", + "Employs thematic teaching methods by integrating the Teachers College Reading and Writing Workshop model across grade levels." + ], + "principal": "Liz Zarr", + "website_url": "https://www.sfusd.edu/school/glen-park-elementary-school", + "donation_text": "Mail a check made out to Glen Park Elementary School and mail it to:\nGlen Park Elementary School\n151 Lippard Ave, San Francisco, CA 94131-3249, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Gn04EKca7-U?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 147, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 36, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 27, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 67, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "glen-park-elementary-school.jpg", + "logo": "glen-park-elementary-school.jpg" + }, + { + "casid": "6040877", + "name": "Gordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78", + "address": "950 Clay St, San Francisco, CA 94108-1521, United States", + "neighborhood": "Chinatown", + "priority": false, + "latitude": "37.79442", + "longitude": "-122.40879", + "profile": { + "create": { + "about": "Gordon J. Lau Elementary School excels in providing a comprehensive, culturally inclusive education in the heart of Chinatown, committed to student success and community service.", + "about_bp": [ + "Located in the vibrant Chinatown community, welcoming newcomers and English Learner families.", + "Offers a standards-aligned curriculum designed to prepare students for middle school and beyond.", + "Staff are multilingual and experienced, ensuring effective communication and low turnover.", + "Extensive support services including a full-time team addressing diverse student needs.", + "Robust before and after school programs, as well as language and arts enrichment programs." + ], + "principal": "Gloria Choy", + "website_url": "https://www.sfusd.edu/school/gordon-j-lau-elementary-school", + "donation_text": "Mail a check made out to Gordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78 and mail it to:\nGordon J. Lau Elementary School \u5289\u8cb4\u660e\u5c0f\u5b78\n950 Clay St, San Francisco, CA 94108-1521, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$6YjG4gH1xrg?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 333, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 35, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 95, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "gordon-j-lau-elementary-school.jpeg", + "logo": "gordon-j-lau-elementary-school.png" + }, + { + "casid": "6041115", + "name": "Grattan Elementary School", + "address": "165 Grattan St, San Francisco, CA 94117-4208, United States", + "neighborhood": "Cole Valley", + "priority": false, + "latitude": "37.76377", + "longitude": "-122.45047", + "profile": { + "create": { + "about": "Grattan School is a nurturing and dynamic educational community dedicated to fostering curiosity, diversity, and individual growth through a balanced and affective academic program.", + "about_bp": [ + "Emphasizes small class sizes to ensure personalized attention and a safe learning environment.", + "Encourages a holistic educational approach that integrates arts, outdoor learning, and real-world skills.", + "Values strong connections between home and school to support student development and community involvement.", + "Promotes innovative assessment methods like portfolios and oral exams to capture authentic student progress.", + "Commits to inclusivity and diversity, celebrating each student's unique talents and differences." + ], + "principal": "Catherine Walter", + "website_url": "https://www.sfusd.edu/school/grattan-elementary-school", + "donation_text": "Mail a check made out to Grattan Elementary School and mail it to:\nGrattan Elementary School\n165 Grattan St, San Francisco, CA 94117-4208, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$WEWTHNVmRgY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 186, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 17, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "grattan-elementary-school.jpg", + "logo": "grattan-elementary-school.jpg" + }, + { + "casid": "6041123", + "name": "Guadalupe Elementary School", + "address": "859 Prague St, San Francisco, CA 94112-4516, United States", + "neighborhood": "Crocker Amazon", + "priority": false, + "latitude": "37.71021", + "longitude": "-122.4347", + "profile": { + "create": { + "about": "Guadalupe Elementary School is a vibrant and inclusive learning community dedicated to embracing diversity and providing a well-rounded education that nurtures both academic excellence and personal growth.", + "about_bp": [ + "Celebrates a diverse and inclusive school community.", + "Focuses on holistic child education, including social-emotional skills and physical well-being.", + "Offers a range of academic programs and extracurricular activities.", + "Provides robust technology, arts, and sports programs.", + "Engages families and communities in the educational journey." + ], + "principal": "Dr. Raj Sharma", + "website_url": "https://www.sfusd.edu/school/guadalupe-elementary-school", + "donation_text": "Mail a check made out to Guadalupe Elementary School and mail it to:\nGuadalupe Elementary School\n859 Prague St, San Francisco, CA 94112-4516, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$8fMQeQJ_IGE?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 134, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 24, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 52, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "guadalupe-elementary-school.jpeg", + "logo": "guadalupe-elementary-school.png" + }, + { + "casid": "6040919", + "name": "Harvey Milk Civil Rights Academy", + "address": "4235 19th St, San Francisco, CA 94114-2415, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.75892", + "longitude": "-122.43647", + "profile": { + "create": { + "about": "Harvey Milk Civil Rights Academy (HMCRA) is a vibrant public school in Castro, dedicated to developing well-rounded individuals through a student-centered curriculum that emphasizes literacy, science, arts, and social activism.", + "about_bp": [ + "Emphasizes literacy and STEM through hands-on, inquiry-based learning.", + "Promotes global awareness and student activism through a robust social studies curriculum.", + "Offers a diverse range of arts programs including visual, performing, and instrumental music.", + "Provides comprehensive before and after school programs to support all students.", + "Advocates a strong parent and staff involvement in decision-making processes." + ], + "principal": "Charles Glover", + "website_url": "https://www.sfusd.edu/school/harvey-milk-civil-rights-academy", + "donation_text": "Mail a check made out to Harvey Milk Civil Rights Academy and mail it to:\nHarvey Milk Civil Rights Academy\n4235 19th St, San Francisco, CA 94114-2415, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 91, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 42, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "harvey-milk-civil-rights-academy.jpeg", + "logo": "harvey-milk-civil-rights-academy.jpeg" + }, + { + "casid": "6059851", + "name": "Herbert Hoover Middle School", + "address": "2290 14th Ave, San Francisco, CA 94116-1841, United States", + "neighborhood": "Golden Gate Heights", + "priority": false, + "latitude": "37.7454", + "longitude": "-122.46988", + "profile": { + "create": { + "about": "Hoover Middle School is a beacon of academic and arts excellence, committed to nurturing technological skills and multicultural appreciation through diverse programs and community engagement.", + "about_bp": [ + "Over 50 years of tradition in academic and visual & performing arts excellence.", + "Emphasis on hands-on learning experiences across various disciplines including STEAM and arts.", + "Comprehensive language programs in Chinese and Spanish immersion promoting multicultural understanding.", + "Dedicated family liaisons providing Spanish and Chinese translation services to enhance community inclusion.", + "Robust after-school programs and student support services including AVID, counseling, and athletics." + ], + "principal": "Adrienne Sullivan Smith", + "website_url": "https://www.sfusd.edu/school/herbert-hoover-middle-school", + "donation_text": "Mail a check made out to Herbert Hoover Middle School and mail it to:\nHerbert Hoover Middle School\n2290 14th Ave, San Francisco, CA 94116-1841, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$SNlISQKTr5s?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 948, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 69, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "herbert-hoover-middle-school.jpg", + "logo": "herbert-hoover-middle-school.png" + }, + { + "casid": "6041156", + "name": "Hillcrest Elementary School", + "address": "810 Silver Ave, San Francisco, CA 94134-1012, United States", + "neighborhood": "Portola", + "priority": false, + "latitude": "37.72881", + "longitude": "-122.41913", + "profile": { + "create": { + "about": "At Hillcrest Elementary, we offer a nurturing and diverse educational environment where students can thrive through rigorous, relevant, and relational learning experiences.", + "about_bp": [ + "Offers four standards-based instructional programs catering to diverse linguistic and cultural needs.", + "Encourages student reflection and presentation through portfolio development and end-of-year assessments.", + "Promotes a collaborative home-school partnership to support student success across academic and social domains.", + "Provides a variety of enrichment activities, including arts, science, and wellness programs.", + "Includes specialized language and special education programs to meet the diverse needs of students." + ], + "principal": "Patricia Theel", + "website_url": "https://www.sfusd.edu/school/hillcrest-elementary-school", + "donation_text": "Mail a check made out to Hillcrest Elementary School and mail it to:\nHillcrest Elementary School\n810 Silver Ave, San Francisco, CA 94134-1012, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$6_IlP_b_yi4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 153, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 24, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 49, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 93, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "hillcrest-elementary-school.jpg", + "logo": "hillcrest-elementary-school.png" + }, + { + "casid": "3830395", + "name": "Hilltop + El Camino Alternativo Schools", + "address": "2730 Bryant St, San Francisco, CA 94110-4226, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.7507", + "longitude": "-122.4091", + "profile": { + "create": { + "about": "Hilltop Special Service Center offers a unique educational environment dedicated to equipping students with the academic skills and support they need to graduate high school and excel as parents and future community leaders.", + "about_bp": [ + "Provides a safe and supportive academic environment with access to prenatal, parenting, health, and emotional support services.", + "Offers open enrollment and continuous assessment to help students transition to comprehensive high schools.", + "Features a nursery providing child care for infants, supporting parenting students from the SFUSD district-wide.", + "Prioritizes holistic education through explicit instruction and differentiated teaching to enhance student resilience and responsibility.", + "Emphasizes community-building, self-advocacy, and readiness for college and career aspirations." + ], + "principal": "Elisa Villafuerte", + "website_url": "https://www.sfusd.edu/school/hilltop-el-camino-alternativo-schools", + "donation_text": "Mail a check made out to Hilltop + El Camino Alternativo Schools and mail it to:\nHilltop + El Camino Alternativo Schools\n2730 Bryant St, San Francisco, CA 94110-4226, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 29, + "unit": "", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 72, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 94, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 71, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "logo": "hilltop-el-camino-alternativo-schools.jpg" + }, + { + "casid": "6059869", + "name": "James Denman Middle School", + "address": "241 Oneida Ave, San Francisco, CA 94112-3228, United States", + "neighborhood": "Mission Terrace", + "priority": false, + "latitude": "37.7217", + "longitude": "-122.44295", + "profile": { + "create": { + "about": "James Denman Middle School fosters a literate and independent learning community, committed to creating a non-competitive and supportive environment where each student can thrive academically and personally with a focus on character development and community involvement.", + "about_bp": [ + "Safe, non-competitive environment tailored to individual student needs.", + "Strong focus on character development and student leadership opportunities.", + "Active partnerships with the community to enhance learning, including music and arts.", + "Comprehensive academic and extracurricular programs including STEAM, arts, and athletics.", + "Supportive school community with active parent and community participation." + ], + "principal": "Jenny Ujiie", + "website_url": "https://www.sfusd.edu/school/james-denman-middle-school", + "donation_text": "Mail a check made out to James Denman Middle School and mail it to:\nJames Denman Middle School\n241 Oneida Ave, San Francisco, CA 94112-3228, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$8Aa_f1cnDrQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 778, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 30, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 71, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "james-denman-middle-school.jpeg", + "logo": "james-denman-middle-school.png" + }, + { + "casid": "6062053", + "name": "James Lick Middle School", + "address": "1220 Noe St, San Francisco, CA 94114-3714, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.74945", + "longitude": "-122.43194", + "profile": { + "create": { + "about": "James Lick Middle School, located in Noe Valley, is a vibrant and diverse community that fosters student growth through comprehensive academic and enrichment programs, emphasizing Spanish immersion and the arts.", + "about_bp": [ + "Located in the heart of Noe Valley, providing a culturally rich educational environment.", + "Offers a robust Spanish Immersion Program alongside a thriving Visual and Performing Arts Program.", + "Provides comprehensive after-school programs supported by the Jamestown Community Center, enhancing academic and personal development.", + "Equipped with 1:1 student Chromebooks to ensure students have access to digital learning resources.", + "Comprehensive support system including counselors, health services, and a dedicated mental health consultant." + ], + "principal": "Marisol Arkin", + "website_url": "https://www.sfusd.edu/school/james-lick-middle-school", + "donation_text": "Mail a check made out to James Lick Middle School and mail it to:\nJames Lick Middle School\n1220 Noe St, San Francisco, CA 94114-3714, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 450, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 21, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 10, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 24, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 36, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 69, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "james-lick-middle-school.jpg", + "logo": "james-lick-middle-school.png" + }, + { + "casid": "6041206", + "name": "Jean Parker Elementary School", + "address": "840 Broadway, San Francisco, CA 94133-4219, United States", + "neighborhood": "North Beach", + "priority": false, + "latitude": "37.79762", + "longitude": "-122.41103", + "profile": { + "create": { + "about": "Jean Parker Community School is a vibrant and diverse educational institution located conveniently in San Francisco, offering a nurturing environment focused on academic excellence and social-emotional growth through a variety of enriching programs.", + "about_bp": [ + "Located at the east end of the Broadway Tunnel, offering easy accessibility for families in San Francisco.", + "Strong emphasis on social-emotional development and academic achievement through arts and community events.", + "Dedicated and experienced teaching staff with a strong commitment to local community support.", + "Provides a wide range of after-school and student support programs, including academic tutoring and arts enrichment.", + "Focuses on core values of Joy, Relationships, Solidarity, and Self-Worth to foster a supportive community environment." + ], + "principal": "Sara Salda\u00f1a", + "website_url": "https://www.sfusd.edu/school/jean-parker-elementary-school", + "donation_text": "Mail a check made out to Jean Parker Elementary School and mail it to:\nJean Parker Elementary School\n840 Broadway, San Francisco, CA 94133-4219, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$jQOeI2VG_iU?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 61, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 34, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 86, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "jean-parker-elementary-school.jpg", + "logo": "jean-parker-elementary-school.jpg" + }, + { + "casid": "6041230", + "name": "Jefferson Early Education School", + "address": "1350 25th Ave, San Francisco, CA 94122-1525, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.76234", + "longitude": "-122.48329", + "profile": { + "create": { + "about": "Jefferson Early Education School, nestled in San Francisco's Sunset area, offers a nurturing and enriching preschool environment for children aged 3 to 5, combining multicultural sensitivity and a 'creative curriculum' approach to prepare students for Kindergarten.", + "about_bp": [ + "Located in the vibrant Sunset area of San Francisco, fostering a community of learners.", + "Offers a 'creative curriculum' environmental approach aligned with California Preschool Learning Foundations.", + "Rich variety of classroom activities including cooking, gardening, and music.", + "Family engagement through various activities like open house pizza nights and cultural celebrations.", + "Dedicated programs for special education within integrated General Education classrooms." + ], + "principal": "Penelope Ho", + "website_url": "https://www.sfusd.edu/school/jefferson-early-education-school", + "donation_text": "Mail a check made out to Jefferson Early Education School and mail it to:\nJefferson Early Education School\n1350 25th Ave, San Francisco, CA 94122-1525, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$3wgMz6xsQxs?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 247, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 59, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 40, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "logo": "jefferson-elementary-school.jpg" + }, + { + "casid": "6041255", + "name": "John Muir Elementary School", + "address": "380 Webster St, San Francisco, CA 94117-3512, United States", + "neighborhood": "Hayes Valley", + "priority": false, + "latitude": "37.77376", + "longitude": "-122.42868", + "profile": { + "create": { + "about": "John Muir School is an inclusive learning community dedicated to nurturing confident, independent learners prepared to excel academically and socially, with a strong emphasis on cultural diversity and interdisciplinary education.", + "about_bp": [ + "Culturally diverse and relevant learning experiences.", + "Collaborative teaching practices aligned with Common Core standards.", + "Partnerships with San Francisco Ballet and Mission Science Center.", + "Adoption of the PAX Good Behavior Game and mindfulness programs.", + "Active parent engagement through the Parent Leadership Group." + ], + "principal": "Donald Frazier", + "website_url": "https://www.sfusd.edu/school/john-muir-elementary-school", + "donation_text": "Mail a check made out to John Muir Elementary School and mail it to:\nJohn Muir Elementary School\n380 Webster St, San Francisco, CA 94117-3512, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rnaAqxsk8UM?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 121, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 45, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 41, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 90, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "john-muir-elementary-school.jpg", + "logo": "john-muir-elementary-school.png" + }, + { + "casid": "6113252", + "name": "John Yehall Chin Elementary School", + "address": "350 Broadway, San Francisco, CA 94133-4503, United States", + "neighborhood": "Telegraph Hill", + "priority": false, + "latitude": "37.79845", + "longitude": "-122.40308", + "profile": { + "create": { + "about": "John Yehall Chin is a small, welcoming school that prides itself on providing a well-rounded education, fostering a learning environment filled with care and innovation for students eager to transform the world.", + "about_bp": [ + "Emphasizes efficiency and productivity alongside compassionate education.", + "Integrates technology seamlessly with traditional educational methods for effective communication with families.", + "Offers unique programs like the Lily Cai Chinese Cultural Dance and School Spirit Store.", + "Teachers possess in-depth knowledge of both content and human development to teach effectively.", + "Provides after-school programs in partnership with the Chinatown YMCA, offering homework help and enrichment activities." + ], + "principal": "Allen Lee", + "website_url": "https://www.sfusd.edu/school/john-yehall-chin-elementary-school", + "donation_text": "Mail a check made out to John Yehall Chin Elementary School and mail it to:\nJohn Yehall Chin Elementary School\n350 Broadway, San Francisco, CA 94133-4503, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$QVoFTwoTFek?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 138, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 86, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 79, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "john-yehall-chin-elementary-school.jpg" + }, + { + "casid": "6041271", + "name": "Jose Ortega Elementary School", + "address": "400 Sargent St, San Francisco, CA 94132-3152, United States", + "neighborhood": "Ingleside Heights", + "priority": false, + "latitude": "37.71636", + "longitude": "-122.46652", + "profile": { + "create": { + "about": "Jose Ortega Elementary School is a vibrant and culturally diverse educational institution that fosters a stimulating and inclusive environment, encouraging students to achieve their fullest potential through a variety of educational programs and family-engagement activities.", + "about_bp": [ + "Offers Mandarin Immersion and Special Education programs to accommodate diverse learning needs.", + "Promotes a collaborative school climate with extensive family and community involvement opportunities.", + "Provides comprehensive student support services including mental health access, mentoring, and social work.", + "Integrates academic and enrichment activities such as arts, physical education, and science-linked gardening projects.", + "Hosts various enriching after-school programs through the on-site Stonestown YMCA." + ], + "principal": "Paula Antram", + "website_url": "https://www.sfusd.edu/school/jose-ortega-elementary-school", + "donation_text": "Mail a check made out to Jose Ortega Elementary School and mail it to:\nJose Ortega Elementary School\n400 Sargent St, San Francisco, CA 94132-3152, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$IMcN0yN8r5E?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 191, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 57, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 32, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 72, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "jose-ortega-elementary-school.jpg", + "logo": "jose-ortega-elementary-school.png" + }, + { + "casid": "6041289", + "name": "Junipero Serra Elementary School", + "address": "625 Holly Park Cir, San Francisco, CA 94110-5815, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.73667", + "longitude": "-122.42124", + "profile": { + "create": { + "about": "Junipero Serra Elementary School is a vibrant community-focused public school in the picturesque Bernal Heights area, dedicated to nurturing a diverse student population with a comprehensive and culturally inclusive education.", + "about_bp": [ + "Located adjacent to the scenic Bernal Heights public park and near the local library, offering a picturesque learning environment.", + "Diverse community fostering cultural pride and encouraging lifelong learning among students.", + "Strong emphasis on community through Caring Schools Community meetings and home-side activities connecting parents and students.", + "Wide range of programs including after school and language initiatives, catering to varied student needs and interests.", + "Annual reviews and data-driven strategies to nurture academic and social-emotional success among students." + ], + "principal": "Katerina Palomares", + "website_url": "https://www.sfusd.edu/school/junipero-serra-elementary-school", + "donation_text": "Mail a check made out to Junipero Serra Elementary School and mail it to:\nJunipero Serra Elementary School\n625 Holly Park Cir, San Francisco, CA 94110-5815, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$g9I2qJAx9XY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 139, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 32, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "junipero-serra-elementary-school.jpg", + "logo": "junipero-serra-elementary-school.jpg" + }, + { + "casid": "6041305", + "name": "Lafayette Elementary School", + "address": "4545 Anza St, San Francisco, CA 94121-2621, United States", + "neighborhood": "Outer Richmond", + "priority": false, + "latitude": "37.77747", + "longitude": "-122.49719", + "profile": { + "create": { + "about": "Lafayette School is a vibrant educational community in the Outer Richmond area, offering a multicultural curriculum and specialized programs for a diverse student body, including those with special needs and hearing impairments.", + "about_bp": [ + "Celebrates the rich cultural heritage of its diverse student population with events like Multicultural Night and Black History Month.", + "Offers specialized education programs for pre-K through fifth grade hearing impaired students.", + "Features a variety of after-school programs, including fee-based and community-led initiatives.", + "Strong emphasis on arts enrichment with programs in dance, drama, visual arts, and instrumental music.", + "Active Parent Teacher Association that fosters community through events like the Halloween Carnival and Book Fair." + ], + "principal": "Krishna Kassebaum", + "website_url": "https://www.sfusd.edu/school/lafayette-elementary-school", + "donation_text": "Mail a check made out to Lafayette Elementary School and mail it to:\nLafayette Elementary School\n4545 Anza St, San Francisco, CA 94121-2621, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 247, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 78, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 80, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 29, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "lafayette-elementary-school.jpg", + "logo": "lafayette-elementary-school.jpg" + }, + { + "casid": "6041321", + "name": "Lakeshore Alternative Elementary School", + "address": "220 Middlefield Dr, San Francisco, CA 94132-1418, United States", + "neighborhood": "Stonestown", + "priority": false, + "latitude": "37.73057", + "longitude": "-122.48581", + "profile": { + "create": { + "about": "Lakeshore Elementary is a vibrant and diverse school located in the picturesque area of Lake Merced, San Francisco, dedicated to preparing students academically, socially, and emotionally for middle school and beyond.", + "about_bp": [ + "Strong partnerships with Lowell High School and San Francisco State University provide students with expanded learning opportunities.", + "A focus on social and emotional well-being with dedicated full-time School Social Worker and Elementary Adviser staff available.", + "Diverse after-school programs, including an ExCEL program and a Mandarin language program, cater to a wide range of interests and needs.", + "Comprehensive enrichment opportunities in STEAM, arts, athletics, and literacy enrich the school day.", + "A commitment to inclusive education through specialized programs for students with autism and other needs." + ], + "principal": "Matthew Hartford", + "website_url": "https://www.sfusd.edu/school/lakeshore-alternative-elementary-school", + "donation_text": "Mail a check made out to Lakeshore Alternative Elementary School and mail it to:\nLakeshore Alternative Elementary School\n220 Middlefield Dr, San Francisco, CA 94132-1418, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$lAQBfbrPCmk?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 193, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 38, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 25, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "lakeshore-alternative-elementary-school.jpg", + "logo": "lakeshore-alternative-elementary-school.gif" + }, + { + "casid": "6041339", + "name": "Lawton Alternative School (K-8)", + "address": "1570 31st Ave, San Francisco, CA 94122-3104, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.75805", + "longitude": "-122.48909", + "profile": { + "create": { + "about": "Lawton Alternative School fosters a nurturing and engaging environment that promotes academic excellence, personal growth, and a strong sense of community, encouraging students to thrive through creativity and service.", + "about_bp": [ + "Dedicated to the holistic development of students through respect, responsibility, and compassion.", + "Offers enriched educational experiences with programs in STEAM, arts enrichment, athletics, and student support services.", + "Highly committed to family engagement through regular communication and comprehensive progress reports.", + "Responsive classroom environments that cater to diverse learners, promoting critical thinking and teamwork.", + "Annual assessments and climate surveys to ensure positive academic achievement and a supportive school culture." + ], + "principal": "Armen Sedrakian", + "website_url": "https://www.sfusd.edu/school/lawton-alternative-school-k-8", + "donation_text": "Mail a check made out to Lawton Alternative School (K-8) and mail it to:\nLawton Alternative School (K-8)\n1570 31st Ave, San Francisco, CA 94122-3104, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$qtpkmG7p11k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 385, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 81, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 75, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 68, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "logo": "lawton-alternative-school-k-8.png" + }, + { + "casid": "6041347", + "name": "Leonard R. Flynn Elementary School", + "address": "3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.74812", + "longitude": "-122.41203", + "profile": { + "create": { + "about": "Flynn Elementary is a community-focused TK-5 school in San Francisco's Mission district, committed to providing a culturally responsive, high-quality education for all students in a supportive and inclusive environment.", + "about_bp": [ + "Located in the vibrant Mission district, fostering a diverse and inclusive school community.", + "Offers a rigorous, culturally sensitive instructional program promoting language development and social/emotional growth.", + "Strong focus on social justice with a robust home-school connection to support student well-being and learning.", + "Collaborative environment with mutual respect and open communication between staff, parents, and the broader community.", + "Dedicated to nurturing compassionate, innovative learners prepared for future leadership roles." + ], + "principal": "Tyler Woods", + "website_url": "https://www.sfusd.edu/school/leonard-r-flynn-elementary-school", + "donation_text": "Mail a check made out to Leonard R. Flynn Elementary School and mail it to:\nLeonard R. Flynn Elementary School\n3125 Cesar Chavez St, San Francisco, CA 94110-4722, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 185, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 34, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 34, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 78, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "leonard-r-flynn-elementary-school.jpg", + "logo": "leonard-r-flynn-elementary-school.jpeg" + }, + { + "casid": "6041362", + "name": "Longfellow Elementary School", + "address": "755 Morse St, San Francisco, CA 94112-4223, United States", + "neighborhood": "Crocker Amazon", + "priority": false, + "latitude": "37.71028", + "longitude": "-122.44755", + "profile": { + "create": { + "about": "Longfellow Elementary School, with a rich history of 140 years in the outer Mission district, is committed to nurturing globally aware, life-long learners equipped with academic, social, and artistic skills.", + "about_bp": [ + "Focus on educating the whole child and empowering families with a comprehensive approach.", + "Strong emphasis on cultural awareness and social responsibility, fostering a sense of community and pride.", + "Wide range of enrichment programs including arts, STEAM, and language classes.", + "Comprehensive student support with access to healthcare professionals and social services.", + "Diverse language programs catering to a multicultural student body." + ], + "principal": "Kath Cuellar Burns", + "website_url": "https://www.sfusd.edu/school/longfellow-elementary-school", + "donation_text": "Mail a check made out to Longfellow Elementary School and mail it to:\nLongfellow Elementary School\n755 Morse St, San Francisco, CA 94112-4223, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$OKlUlyYE5WI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 248, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 25, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 26, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 44, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 62, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "longfellow-elementary-school.png", + "logo": "longfellow-elementary-school.jpg" + }, + { + "casid": "6041586", + "name": "Malcolm X Academy Elementary School", + "address": "350 Harbor Rd, San Francisco, CA 94124-2474, United States", + "neighborhood": "Hunters Point", + "priority": false, + "latitude": "37.73422", + "longitude": "-122.38101", + "profile": { + "create": { + "about": "Malcolm X Academy, situated in the vibrant Bayview community of San Francisco, empowers students through an inclusive, supportive, and culturally rich environment, fostering both academic excellence and personal growth.", + "about_bp": [ + "Dedicated to developing students' intellectual, social, emotional, and physical capacities.", + "Provides a caring and safe learning environment with small class sizes.", + "Strong emphasis on creativity, self-discipline, and citizenship.", + "Collaborative community school actively involving students and families.", + "Diverse teaching methods and high expectations to inspire lifelong learning." + ], + "principal": "Matthew Fitzsimmon", + "website_url": "https://www.sfusd.edu/school/malcolm-x-academy-elementary-school", + "donation_text": "Mail a check made out to Malcolm X Academy Elementary School and mail it to:\nMalcolm X Academy Elementary School\n350 Harbor Rd, San Francisco, CA 94124-2474, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$VI_FUD_IkPQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 50, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 12, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 22, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 94, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "malcolm-x-academy-elementary-school.jpg", + "logo": "malcolm-x-academy-elementary-school.jpg" + }, + { + "casid": "6062061", + "name": "Marina Middle School", + "address": "3500 Fillmore St, San Francisco, CA 94123-2103, United States", + "neighborhood": "Marina", + "priority": false, + "latitude": "37.80182", + "longitude": "-122.43547", + "profile": { + "create": { + "about": "Marina Middle School is a thriving educational community committed to fostering integrity, creativity, and respect, while providing rigorous academic programs and a wealth of extracurricular activities.", + "about_bp": [ + "Established in 1936, the school has a rich history of academic and community growth.", + "Offers a diverse selection of language courses, including Mandarin, Cantonese, Arabic, and Spanish.", + "Partners with community organizations to provide enriching after-school programs and activities.", + "Dedicated to personalizing educational journeys through strategic planning and academic support initiatives.", + "Hosts a variety of athletic, artistic, and technical programs to cater to diverse student interests." + ], + "principal": "Michael Harris", + "website_url": "https://www.sfusd.edu/school/marina-middle-school", + "donation_text": "Mail a check made out to Marina Middle School and mail it to:\nMarina Middle School\n3500 Fillmore St, San Francisco, CA 94123-2103, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 651, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 49, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 41, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 86, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "marina-middle-school.jpg", + "logo": "marina-middle-school.jpg" + }, + { + "casid": "6041412", + "name": "Marshall Elementary School", + "address": "1575 15th St, San Francisco, CA 94103-3639, United States", + "neighborhood": "Mission", + "priority": false, + "latitude": "37.76627", + "longitude": "-122.419", + "profile": { + "create": { + "about": "Marshall Elementary School is a thriving community institution committed to fostering bilingual and biliterate students through a rigorous curriculum in a warm and supportive environment.", + "about_bp": [ + "Full K-5 Spanish Two-Way Immersion program aimed at bilingual and biliterate proficiency by 5th grade.", + "High expectations for students supported by personalized resources and community involvement.", + "Active Parent Teacher Association that funds diverse academic and arts programs.", + "Robust before and after school programs designed to enrich student learning and support working families.", + "Engagement with families and staff in decision-making processes to boost student success and joyful learning." + ], + "principal": "Noah Ingber", + "website_url": "https://www.sfusd.edu/school/marshall-elementary-school", + "donation_text": "Mail a check made out to Marshall Elementary School and mail it to:\nMarshall Elementary School\n1575 15th St, San Francisco, CA 94103-3639, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$P0HurEekRvo?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 133, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 14, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 69, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 95, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "marshall-elementary-school.jpg", + "logo": "marshall-elementary-school.png" + }, + { + "casid": "6041420", + "name": "McKinley Elementary School", + "address": "1025 14th St, San Francisco, CA 94114-1221, United States", + "neighborhood": "Buena Vista Park", + "priority": false, + "latitude": "37.76711", + "longitude": "-122.43644", + "profile": { + "create": { + "about": "Nestled in vibrant San Francisco, McKinley provides a nurturing environment where a diverse student body is empowered to excel academically and personally.", + "about_bp": [ + "Commitment to student safety and self-expression within a supportive school climate.", + "Focus on helping every student reach their highest potential through a challenging curriculum.", + "Strong emphasis on equity, assuring proficiency for all students through personalized teaching methods.", + "Extensive enrichment opportunities like music, arts, and comprehensive afterschool programs.", + "Active community engagement, fostering collaboration among staff, parents, and students for student success." + ], + "principal": "John Collins", + "website_url": "https://www.sfusd.edu/school/mckinley-elementary-school", + "donation_text": "Mail a check made out to McKinley Elementary School and mail it to:\nMcKinley Elementary School\n1025 14th St, San Francisco, CA 94114-1221, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$kGLi4cLBSJ8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 65, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 60, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "mckinley-elementary-school.jpg", + "logo": "mckinley-elementary-school.jpg" + }, + { + "casid": "6041438", + "name": "Miraloma Elementary School", + "address": "175 Omar Way, San Francisco, CA 94127-1701, United States", + "neighborhood": "Miraloma", + "priority": false, + "latitude": "37.73913", + "longitude": "-122.4501", + "profile": { + "create": { + "about": "Miraloma Elementary School is a vibrant, inclusive community dedicated to fostering the personal and academic growth of students through dynamic learning experiences and a supportive environment.", + "about_bp": [ + "Emphasizes diversity and inclusivity, celebrating each student's unique strengths and backgrounds.", + "Nurtures students with dynamic, authentic learning experiences that stimulate curiosity and creativity.", + "Collaborative community of teachers, parents, and administration focused on student growth and independence.", + "Supports resilience and perseverance in students, equipping them to tackle academic, social, and emotional challenges.", + "Encourages active community participation and advocacy for social justice." + ], + "principal": "Rochelle Gumpert", + "website_url": "https://www.sfusd.edu/school/miraloma-elementary-school", + "donation_text": "Mail a check made out to Miraloma Elementary School and mail it to:\nMiraloma Elementary School\n175 Omar Way, San Francisco, CA 94127-1701, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$bW_IBAZUSHo?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 150, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 46, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "logo": "miraloma-elementary-school.jpg" + }, + { + "casid": "6089585", + "name": "Mission Education Center Elementary School", + "address": "1670 Noe St, San Francisco, CA 94131-2357, United States", + "neighborhood": "Noe Valley", + "priority": false, + "latitude": "37.74221", + "longitude": "-122.43134", + "profile": { + "create": { + "about": "Mission Education Center is a unique PreK-5 school dedicated to helping newly arrived Spanish-speaking immigrant students acquire the skills needed to succeed in traditional schools, with a focus on bilingual education and community integration.", + "about_bp": [ + "Transitional program to support Spanish-speaking immigrant students in achieving success in regular schools within a year.", + "Teachers are bilingual and specialized in working with newcomer populations, focusing on both English proficiency and academic success in Spanish.", + "Comprehensive arts program including visual arts, performing arts, music, and dance, alongside robust physical education.", + "Parental engagement through bi-weekly education workshops and support resources to help families integrate into the community.", + "Collaborative partnerships with local community agencies to enhance student learning and cultural experience." + ], + "principal": "Albert Maldonado", + "website_url": "https://www.sfusd.edu/school/mission-education-center-elementary-school", + "donation_text": "Mail a check made out to Mission Education Center Elementary School and mail it to:\nMission Education Center Elementary School\n1670 Noe St, San Francisco, CA 94131-2357, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CH_LYvCre5o?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 60, + "unit": "", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 86, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 80, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "mission-education-center-elementary-school.jpg", + "logo": "mission-education-center-elementary-school.jpg" + }, + { + "casid": "6041446", + "name": "Monroe Elementary School", + "address": "260 Madrid St, San Francisco, CA 94112-2055, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.7256", + "longitude": "-122.43026", + "profile": { + "create": { + "about": "Monroe Elementary is a vibrant and inclusive school in the Excelsior district, dedicated to fostering academic excellence and social justice through diverse language programs and community engagement.", + "about_bp": [ + "Hosts three language programs: English Language Development, Chinese Bilingual, and Spanish Immersion.", + "Focuses on high-quality teaching and learning for historically underserved populations, ensuring academic equity.", + "Facilitates open, honest discussions among students, parents, and teachers to support students' academic progress and emotional well-being.", + "Encourages collective responsibility for educational success among students, teachers, staff, and families.", + "Offers a variety of before and after school programs, as well as arts and student support services." + ], + "principal": "Telmo Vasquez", + "website_url": "https://www.sfusd.edu/school/monroe-elementary-school", + "donation_text": "Mail a check made out to Monroe Elementary School and mail it to:\nMonroe Elementary School\n260 Madrid St, San Francisco, CA 94112-2055, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$bFoC4ZiNBaY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 270, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 44, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 41, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 88, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "monroe-elementary-school.jpg", + "logo": "monroe-elementary-school.jpg" + }, + { + "casid": "6097919", + "name": "New Traditions Creative Arts Elementary School", + "address": "2049 Grove St, San Francisco, CA 94117-1123, United States", + "neighborhood": "Northern Park", + "priority": false, + "latitude": "37.77388", + "longitude": "-122.45026", + "profile": { + "create": { + "about": "At New Traditions, we foster a supportive and respectful environment dedicated to creative, meaningful, and rigorous education with a strong emphasis on the Arts and community involvement.", + "about_bp": [ + "Student-centered and solution-based approach to education.", + "Active parent involvement in students\u2019 academic and social development.", + "Emphasis on creative arts within a well-rounded curriculum.", + "Positive Behavior System promoting self-reflection and community impact.", + "Daily morning circle to reinforce community values of safety, responsibility, and respect." + ], + "principal": "Myra Quadros", + "website_url": "https://www.sfusd.edu/school/new-traditions-creative-arts-elementary-school", + "donation_text": "Mail a check made out to New Traditions Creative Arts Elementary School and mail it to:\nNew Traditions Creative Arts Elementary School\n2049 Grove St, San Francisco, CA 94117-1123, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$BMTmX2eUI5k?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 83, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 72, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 5, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 31, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "new-traditions-creative-arts-elementary-school.jpg" + }, + { + "casid": "6041487", + "name": "Paul Revere (PreK-8) School", + "address": "555 Tompkins Ave, San Francisco, CA 94110-6144, United States", + "neighborhood": "Bernal Heights", + "priority": false, + "latitude": "37.73721", + "longitude": "-122.413", + "profile": { + "create": { + "about": "Paul Revere School is an inclusive institution committed to closing the achievement gap by providing a supportive environment with high expectations and access to qualified staff for all students.", + "about_bp": [ + "Provides data-informed professional development and collaborative planning time for faculty.", + "Offers targeted literacy and math instruction with emphasis on small groups and data-driven teaching.", + "Prioritizes equity in education by providing a differentiated curriculum tailored to individual student needs.", + "Recognizes and rewards students for both academic accomplishments and outstanding character.", + "Engages with the larger community to cultivate a positive school culture that values diversity in backgrounds, languages, and experiences." + ], + "principal": "William Eaton", + "website_url": "https://www.sfusd.edu/school/paul-revere-prek-8-school", + "donation_text": "Mail a check made out to Paul Revere (PreK-8) School and mail it to:\nPaul Revere (PreK-8) School\n555 Tompkins Ave, San Francisco, CA 94110-6144, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$01ypxv5IEy4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 311, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 3, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 55, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 74, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "paul-revere-prek-8-school.png", + "logo": "paul-revere-prek-8-school.png" + }, + { + "casid": "6062079", + "name": "Presidio Middle School", + "address": "450 30th Ave, San Francisco, CA 94121-1766, United States", + "neighborhood": "Central Richmond", + "priority": false, + "latitude": "37.78086", + "longitude": "-122.48962", + "profile": { + "create": { + "about": "This school offers a diverse array of academic and enrichment programs designed to support and enhance student learning in a vibrant, supportive community.", + "about_bp": [ + "Comprehensive after-school programs available district-wide.", + "Robust language programs in Japanese and Vietnamese.", + "Diverse special education offerings tailored to various needs.", + "Rich arts and athletics programs fostering creativity and teamwork.", + "Strong student support system including health and wellness resources." + ], + "principal": "Kevin Chui", + "website_url": "https://www.sfusd.edu/school/presidio-middle-school", + "donation_text": "Mail a check made out to Presidio Middle School and mail it to:\nPresidio Middle School\n450 30th Ave, San Francisco, CA 94121-1766, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 980, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 51, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 40, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "presidio-middle-school.jpg", + "logo": "presidio-middle-school.jpg" + }, + { + "casid": "6041511", + "name": "Redding Elementary School", + "address": "1421 Pine St, San Francisco, CA 94109-4719, United States", + "neighborhood": "Lower Nob Hill", + "priority": false, + "latitude": "37.78964", + "longitude": "-122.41949", + "profile": { + "create": { + "about": "Redding Elementary School in San Francisco offers a nurturing and safe environment for a diverse community of students, emphasizing social justice, equity, and a joyful learning experience.", + "about_bp": [ + "Culturally and ethnically diverse student body from all over San Francisco.", + "Commitment to social justice and equity in education.", + "Interdisciplinary program integrating Social Emotional Learning and arts education.", + "Collaborative teaching approach involving staff and families.", + "Comprehensive language and arts programs, including Arabic learning for all students." + ], + "principal": "Ronnie Louie", + "website_url": "https://www.sfusd.edu/school/redding-elementary-school", + "donation_text": "Mail a check made out to Redding Elementary School and mail it to:\nRedding Elementary School\n1421 Pine St, San Francisco, CA 94109-4719, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$YdNqhm9_z9M?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 106, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 43, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 77, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "redding-elementary-school.jpg" + }, + { + "casid": "6041529", + "name": "Robert Louis Stevenson Elementary School", + "address": "2051 34th Ave, San Francisco, CA 94116-1109, United States", + "neighborhood": "Central Sunset", + "priority": false, + "latitude": "37.74875", + "longitude": "-122.49254", + "profile": { + "create": { + "about": "Robert Louis Stevenson Elementary School offers an inclusive, enriching environment that nurtures the whole student, fostering community engagement and 21st-century learning skills.", + "about_bp": [ + "Commitment to peace, tolerance, equality, and friendship among all students.", + "Rich academic program supported by a state-of-the-art library and technology resources.", + "Comprehensive afterschool programs including ExCEL and KEEP, providing safe havens for extended learning.", + "Robust arts enrichment with a focus on visual and performing arts through an artist-in-residence program.", + "Strong community support with active PTA funding various educational and enrichment initiatives." + ], + "principal": "Diane Lau-Yee", + "website_url": "https://www.sfusd.edu/school/robert-louis-stevenson-elementary-school", + "donation_text": "Mail a check made out to Robert Louis Stevenson Elementary School and mail it to:\nRobert Louis Stevenson Elementary School\n2051 34th Ave, San Francisco, CA 94116-1109, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$esj4HAzhiYA?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 200, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 71, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 12, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 51, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock8.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "robert-louis-stevenson-elementary-school.jpg", + "logo": "robert-louis-stevenson-elementary-school.png" + }, + { + "casid": "6089775", + "name": "Rooftop School TK-8", + "address": "443 Burnett Ave, San Francisco, CA 94131-1330, United States", + "neighborhood": "Twin Peaks", + "priority": false, + "latitude": "37.75489", + "longitude": "-122.4436", + "profile": { + "create": { + "about": "Rooftop School is a vibrant TK through 8th grade institution split across two close-knit campuses in San Francisco, dedicated to empowering students through a unique blend of arts-integrated academics, community respect, and individualized learning.", + "about_bp": [ + "Two distinct campuses for different grade levels promoting focused learning environments.", + "Integrated arts program designed to develop students' creative and academic abilities.", + "Strong commitment to a respectful and inclusive school community.", + "Extensive extracurricular offerings including sports, arts, and technology programs.", + "Comprehensive special education services and academic support for diverse learning needs." + ], + "principal": "Darren Kawaii", + "website_url": "https://www.sfusd.edu/school/rooftop-school-tk-8", + "donation_text": "Mail a check made out to Rooftop School TK-8 and mail it to:\nRooftop School TK-8\n443 Burnett Ave, San Francisco, CA 94131-1330, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$L1CclRNGMbI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 388, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 58, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 54, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 39, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "rooftop-school-tk-8.jpg", + "logo": "rooftop-tk-8-school-mayeda-campus.png" + }, + { + "casid": "6059901", + "name": "Roosevelt Middle School", + "address": "460 Arguello Blvd, San Francisco, CA 94118-2505, United States", + "neighborhood": "Laurel Heights", + "priority": false, + "latitude": "37.78199", + "longitude": "-122.45866", + "profile": { + "create": { + "about": "Nestled in the historic Richmond neighborhood, Roosevelt Middle School is dedicated to nurturing students' academic, social, and emotional growth in a safe and supportive environment.", + "about_bp": [ + "High expectations and standards for all learners across academic and extracurricular activities.", + "A collaborative staff and community effort to provide meaningful learning experiences.", + "Programs designed to inspire students to be technologically literate and globally minded.", + "A focus on deeper learning through project-based and AVID teaching strategies.", + "Commitment to closing the achievement gap, especially for African American students." + ], + "principal": "Emily Leicham", + "website_url": "https://www.sfusd.edu/school/roosevelt-middle-school", + "donation_text": "Mail a check made out to Roosevelt Middle School and mail it to:\nRoosevelt Middle School\n460 Arguello Blvd, San Francisco, CA 94118-2505, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CX-NBQ_wEfc?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 632, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 74, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 5, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 49, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "roosevelt-middle-school.jpg", + "logo": "roosevelt-middle-school.jpeg" + }, + { + "casid": "6041503", + "name": "Rosa Parks Elementary School", + "address": "1501 Ofarrell St, San Francisco, CA 94115-3762, United States", + "neighborhood": "Western Addition", + "priority": false, + "latitude": "37.78353", + "longitude": "-122.43005", + "profile": { + "create": { + "about": "Rosa Parks Elementary is a dynamic academic environment integrating STEAM, Special Education, and a unique Japanese Bilingual Bicultural Program, fostering an inclusive community where every student thrives through culturally relevant, project-based learning.", + "about_bp": [ + "Home to Northern California's only Japanese Bilingual Bicultural Program offering daily Japanese language and cultural education.", + "Comprehensive STEAM curriculum emphasizing science, technology, engineering, arts, and mathematics for experiential learning.", + "Environmentally conscious campus featuring outdoor classrooms, hands-on gardens, and eco-friendly infrastructure enhancements.", + "Collaborative community supported by an active Parent Teacher Association and a nurturing afterschool program in partnership with YMCA ExCEL.", + "Dedicated Special Education resources providing individualized support for students with diverse needs and learning styles." + ], + "principal": "Laura Schmidt-Nojima", + "website_url": "https://www.sfusd.edu/school/rosa-parks-elementary-school", + "donation_text": "Mail a check made out to Rosa Parks Elementary School and mail it to:\nRosa Parks Elementary School\n1501 Ofarrell St, San Francisco, CA 94115-3762, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uhUmVgoOFU0?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 169, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 31, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 26, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 76, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "rosa-parks-elementary-school.jpg", + "logo": "rosa-parks-elementary-school.png" + }, + { + "casid": "6093488", + "name": "San Francisco Community School", + "address": "125 Excelsior Ave, San Francisco, CA 94112-2041, United States", + "neighborhood": "Excelsior", + "priority": false, + "latitude": "37.72586", + "longitude": "-122.43215", + "profile": { + "create": { + "about": "San Francisco Community School is a nurturing, diverse K-8 educational institution dedicated to fostering academic excellence and positive school experiences for all students.", + "about_bp": [ + "Small class sizes to ensure personalized attention and relationship-building.", + "Innovative, science-based, challenge-driven projects enhance learning engagement.", + "Multi-age classrooms promote a strong sense of community and inclusivity.", + "Regular communication and collaboration with families to support student success.", + "Comprehensive arts and athletics programs to enrich student development." + ], + "principal": "Laurie Murdock", + "website_url": "https://www.sfusd.edu/school/san-francisco-community-school", + "donation_text": "Mail a check made out to San Francisco Community School and mail it to:\nSan Francisco Community School\n125 Excelsior Ave, San Francisco, CA 94112-2041, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$iRcTQQx4tA4?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 179, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 48, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 20, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "san-francisco-community-school.jpg" + }, + { + "casid": "0123117", + "name": "San Francisco Public Montessori", + "address": "2340 Jackson St, San Francisco, CA 94115-1323, United States", + "neighborhood": "Pacific Heights", + "priority": false, + "latitude": "37.79287", + "longitude": "-122.4336", + "profile": { + "create": { + "about": "San Francisco Public Montessori is dedicated to fostering each child's potential by integrating the Montessori method with California standards to enhance intellectual, physical, emotional, and social growth.", + "about_bp": [ + "Combines California Common Core Standards with Montessori Curriculum to deliver a holistic educational experience.", + "Focuses on leveraging cultural resources to help students overcome challenges and achieve success.", + "Prioritizes empowering underserved students and families to bridge the opportunity gap.", + "Commits to recruiting a diverse staff to address and dismantle systemic barriers.", + "Fosters collaborative relationships with students, families, and communities to guide decision-making." + ], + "principal": "Monette Benitez", + "website_url": "https://www.sfusd.edu/school/san-francisco-public-montessori", + "donation_text": "Mail a check made out to San Francisco Public Montessori and mail it to:\nSan Francisco Public Montessori\n2340 Jackson St, San Francisco, CA 94115-1323, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 57, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 52, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 44, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 7, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 52, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock9.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "san-francisco-public-montessori.jpg", + "logo": "san-francisco-public-montessori.png" + }, + { + "casid": "6041545", + "name": "Sanchez Elementary School", + "address": "325 Sanchez St, San Francisco, CA 94114-1615, United States", + "neighborhood": "Castro", + "priority": false, + "latitude": "37.76383", + "longitude": "-122.43058", + "profile": { + "create": { + "about": "Sanchez Elementary School is a vibrant community prioritizing high-quality instruction and a student-centered approach to ensure academic success and social justice for all students.", + "about_bp": [ + "Commitment to social justice with culturally-relevant instruction and high standards.", + "Strong partnerships fostering engagement through peer, parental, and staff collaboration.", + "Innovative Spanish Biliteracy Program promoting proficiency in both Spanish and English.", + "Leadership development initiatives for students, parents, and teachers to build a collaborative community.", + "Comprehensive arts and academic enrichment programs including STEAM and multicultural arts initiatives." + ], + "principal": "Ann Marin", + "website_url": "https://www.sfusd.edu/school/sanchez-elementary-school", + "donation_text": "Mail a check made out to Sanchez Elementary School and mail it to:\nSanchez Elementary School\n325 Sanchez St, San Francisco, CA 94114-1615, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ntWZmOuYfOI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 16, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 21, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 54, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 96, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock4.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "sanchez-elementary-school.jpg", + "logo": "sanchez-elementary-school.jpg" + }, + { + "casid": "6041560", + "name": "Sheridan Elementary School", + "address": "431 Capitol Ave, San Francisco, CA 94112-2934, United States", + "neighborhood": "Oceanview", + "priority": false, + "latitude": "37.71431", + "longitude": "-122.45937", + "profile": { + "create": { + "about": "Sheridan Elementary School is a nurturing and inclusive educational community in the Oceanview Merced Ingleside District, providing high-quality learning experiences from preschool through 5th grade with a focus on joyful and challenging educational opportunities for all students.", + "about_bp": [ + "Inclusive environment accommodating diverse race and economic backgrounds.", + "Exceptional teaching staff fostering high-achieving, joyful learners.", + "Robust parental involvement ensuring a supportive community.", + "Comprehensive after-school programs managed by the YMCA offering sports, arts, and technology.", + "Diverse enrichment programs including arts residency, drumming, and literacy interventions." + ], + "principal": "Dina Edwards", + "website_url": "https://www.sfusd.edu/school/sheridan-elementary-school", + "donation_text": "Mail a check made out to Sheridan Elementary School and mail it to:\nSheridan Elementary School\n431 Capitol Ave, San Francisco, CA 94112-2934, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$OS0lyC-t7XY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 77, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 27, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 22, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 19, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 33, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 91, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "sheridan-elementary-school.jpg", + "logo": "sheridan-elementary-school.jpg" + }, + { + "casid": "6041578", + "name": "Sherman Elementary School", + "address": "1651 Union St, San Francisco, CA 94123-4506, United States", + "neighborhood": "Cow Hollow", + "priority": false, + "latitude": "37.7978", + "longitude": "-122.42611", + "profile": { + "create": { + "about": "Sherman Elementary School, a prestigious K-5 CDE Distinguished Elementary School in San Francisco, is celebrated for its holistic approach to education focusing on academic excellence, social-emotional growth, and equity among its diverse student body.", + "about_bp": [ + "Established in 1892, located in the vibrant Cow Hollow - Marina area.", + "Strong community ties through active partnerships and a dedicated Parent Teacher Association.", + "Innovative programs including a thriving garden as a 'living classroom', technology classes, and a maker studio.", + "Focus on arts integration with partnerships in dance, music, and visual arts enhancing academic learning.", + "Dedicated support for literacy and math development through on-site coaching and professional development." + ], + "principal": "Helen Parker", + "website_url": "https://www.sfusd.edu/school/sherman-elementary-school", + "donation_text": "Mail a check made out to Sherman Elementary School and mail it to:\nSherman Elementary School\n1651 Union St, San Francisco, CA 94123-4506, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ZHYgbeMuiSI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 111, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 50, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 47, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "sherman-elementary-school.jpg", + "logo": "sherman-elementary-school.png" + }, + { + "casid": "6041594", + "name": "Spring Valley Science Elementary School", + "address": "1451 Jackson St, San Francisco, CA 94109-3115, United States", + "neighborhood": "Nob Hill", + "priority": false, + "latitude": "37.79402", + "longitude": "-122.4188", + "profile": { + "create": { + "about": "Spring Valley Science is committed to providing a forward-thinking education that emphasizes science, literacy, and the development of critical thinking and problem-solving skills, fostering a growth mindset among all students.", + "about_bp": [ + "Comprehensive approach to literacy that develops avid readers and writers.", + "Focus on social justice to ensure inclusive learning for all children.", + "Personalized instruction tailored to varied learning styles and needs.", + "Emphasis on student responsibility and higher-level thinking skills.", + "Preparation of students to pursue ambitions and contribute effectively to society." + ], + "principal": "Jessica Arnott", + "website_url": "https://www.sfusd.edu/school/spring-valley-science-elementary-school", + "donation_text": "Mail a check made out to Spring Valley Science Elementary School and mail it to:\nSpring Valley Science Elementary School\n1451 Jackson St, San Francisco, CA 94109-3115, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 118, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 35, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 31, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 47, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 72, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "spring-valley-science-elementary-school.png", + "logo": "spring-valley-science-elementary-school.png" + }, + { + "casid": "6041602", + "name": "Starr King Elementary School", + "address": "1215 Carolina St, San Francisco, CA 94107-3322, United States", + "neighborhood": "Potrero", + "priority": false, + "latitude": "37.75269", + "longitude": "-122.39871", + "profile": { + "create": { + "about": "Starr King Elementary School, nestled atop Potrero Hill, is a dynamic and ethnically diverse community dedicated to fostering a supportive and equitable learning environment through its variety of specialized programs and engaging educational experiences.", + "about_bp": [ + "Diverse programs including Mandarin Immersion, General Education, and specialized support for students with autism.", + "Smallest class sizes in the district promote personalized learning and strong community relationships.", + "Robust after-school offerings include sports, music, and language support programs.", + "Comprehensive arts enrichment with partnerships such as the San Francisco Symphony's AIMS and Music In Schools Today.", + "Strong parent volunteer involvement enhances classroom support and enrichment opportunities." + ], + "principal": "Darlene Martin", + "website_url": "https://www.sfusd.edu/school/starr-king-elementary-school", + "donation_text": "Mail a check made out to Starr King Elementary School and mail it to:\nStarr King Elementary School\n1215 Carolina St, San Francisco, CA 94107-3322, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$aHFSggQYXXY?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 149, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 65, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 61, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 15, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 18, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 51, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "starr-king-elementary-school.jpg", + "logo": "starr-king-elementary-school.jpg" + }, + { + "casid": "6041610", + "name": "Sunnyside Elementary School", + "address": "250 Foerster St, San Francisco, CA 94112-1341, United States", + "neighborhood": "Sunnyside", + "priority": false, + "latitude": "37.73044", + "longitude": "-122.44873", + "profile": { + "create": { + "about": "Sunnyside Elementary School offers a diverse and nurturing environment focused on developing well-rounded, capable students prepared for the complexities of modern society.", + "about_bp": [ + "Diverse student body with personalized educational experiences.", + "Focus on nurturing curiosity, problem-solving, and teamwork skills.", + "Comprehensive arts and academic programs fostering well-rounded development.", + "Strong community and family engagement through various communication channels.", + "Supportive environment with specialized programs for holistic student development." + ], + "principal": "Dr. Sauntheri Spoering", + "website_url": "https://www.sfusd.edu/school/sunnyside-elementary-school", + "donation_text": "Mail a check made out to Sunnyside Elementary School and mail it to:\nSunnyside Elementary School\n250 Foerster St, San Francisco, CA 94112-1341, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$ad8LtISR4VU?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 164, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 63, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 53, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 4, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 38, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + }, + "img": "sunnyside-elementary-school.jpg" + }, + { + "casid": "6113997", + "name": "Sunset Elementary School", + "address": "1920 41st Ave, San Francisco, CA 94116-1101, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.75085", + "longitude": "-122.49974", + "profile": { + "create": { + "about": "Sunset School is a vibrant and inclusive educational community that prioritizes academic excellence and social justice, offering students a variety of programs to support holistic development in a safe and nurturing environment.", + "about_bp": [ + "Diverse and inclusive community committed to equity and academic growth.", + "Offers a comprehensive curriculum with a focus on STEAM, including outdoor science, technology, and the arts.", + "Engages in best teaching practices aligned with Common Core standards and interdisciplinary strategies.", + "Strong parent and community involvement enhances student success.", + "Provides targeted programs for before and after school enrichment and special education." + ], + "principal": "Rosina Tong", + "website_url": "https://www.sfusd.edu/school/sunset-elementary-school", + "donation_text": "Mail a check made out to Sunset Elementary School and mail it to:\nSunset Elementary School\n1920 41st Ave, San Francisco, CA 94116-1101, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$9F_IYWIIhxQ?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 191, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 86, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 89, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 6, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 8, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 35, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock5.png", + "category": "volunteer" + } + ] + } + }, + "img": "sunset-elementary-school.jpg", + "logo": "sunset-elementary-school.png" + }, + { + "casid": "6041644", + "name": "Sutro Elementary School", + "address": "235 12th Ave, San Francisco, CA 94118-2103, United States", + "neighborhood": "Inner Richmond", + "priority": false, + "latitude": "37.78372", + "longitude": "-122.47115", + "profile": { + "create": { + "about": "Sutro Elementary offers a nurturing and inclusive learning environment with a strong academic program and a commitment to equal opportunities for all its diverse student community.", + "about_bp": [ + "Strong focus on academic excellence with a collaborative and family-oriented approach.", + "Offers a variety of after-school programs including homework support, piano, Mandarin, and coding classes.", + "Emphasizes individual attention and a supportive community culture for each student.", + "Comprehensive arts enrichment including visual arts, dance, and instrumental music.", + "Dedicated to addressing both academic and social-emotional needs through a supportive school community." + ], + "principal": "Beth Bonfiglio", + "website_url": "https://www.sfusd.edu/school/sutro-elementary-school", + "donation_text": "Mail a check made out to Sutro Elementary School and mail it to:\nSutro Elementary School\n235 12th Ave, San Francisco, CA 94118-2103, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$lH7mer9fEWw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 122, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 74, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 73, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 31, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 70, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "sutro-elementary-school.png", + "logo": "sutro-elementary-school.png" + }, + { + "casid": "6115901", + "name": "Tenderloin Community Elementary School", + "address": "627 Turk St, San Francisco, CA 94102-3212, United States", + "neighborhood": "Tenderloin", + "priority": false, + "latitude": "37.78181", + "longitude": "-122.41974", + "profile": { + "create": { + "about": "Tenderloin Community School (TCS) is a vibrant PreK-5th Grade public elementary institution that champions a collaborative learning environment with integrated community resources to enhance joyful and comprehensive education.", + "about_bp": [ + "Hosts a range of community resources on-campus, including a dental clinic, fostering a well-rounded support system for students.", + "Generous backing from the Bay Area Women's and Children Center enriches the school's resources for joyful learning.", + "Provides a diverse array of before and after-school programs, including partnerships with organizations like YMCA and Boys & Girls Club.", + "Offers specialized programs such as the Vietnamese Foreign Language in Elementary School (FLES) and SOAR special education program for enhanced learning opportunities.", + "Ensures robust student support with access to resources like a health and wellness center, family support specialists, and multiple student advisers." + ], + "principal": "Paul\tLister", + "website_url": "https://www.sfusd.edu/school/tenderloin-community-elementary-school", + "donation_text": "Mail a check made out to Tenderloin Community Elementary School and mail it to:\nTenderloin Community Elementary School\n627 Turk St, San Francisco, CA 94102-3212, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$CO-dRq2ZEm8?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 133, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 17, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 23, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 48, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "tenderloin-community-elementary-school.jpg", + "logo": "tenderloin-community-elementary-school.jpg" + }, + { + "casid": "6041685", + "name": "Ulloa Elementary School", + "address": "2650 42nd Ave, San Francisco, CA 94116-2714, United States", + "neighborhood": "Outer Sunset", + "priority": false, + "latitude": "37.73738", + "longitude": "-122.49969", + "profile": { + "create": { + "about": "Ulloa Elementary School, home of the Sharks, fosters a vibrant community where students are not only academically enriched but also nurtured in their cognitive, physical, social, and emotional development to become successful global citizens.", + "about_bp": [ + "Safe and supportive community focused on individual growth and global citizenship.", + "Innovative classroom environments that promote critical thinking and growth mindsets.", + "Diverse extracurricular activities, leadership opportunities, and student clubs to enhance personal development.", + "Commitment to Diversity, Equity, and Inclusion, celebrating unique identities and building a deep sense of belonging.", + "Comprehensive before and after school programs catering to a wide range of student needs." + ], + "principal": "Mellisa Jew", + "website_url": "https://www.sfusd.edu/school/ulloa-elementary-school", + "donation_text": "Mail a check made out to Ulloa Elementary School and mail it to:\nUlloa Elementary School\n2650 42nd Ave, San Francisco, CA 94116-2714, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$uK3JmvGBBmI?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 263, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 79, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 75, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 68, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "ulloa-elementary-school.jpg", + "logo": "ulloa-elementary-school.png" + }, + { + "casid": "6041701", + "name": "Visitacion Valley Elementary School", + "address": "55 Schwerin St, San Francisco, CA 94134-2742, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.71268", + "longitude": "-122.41028", + "profile": { + "create": { + "about": "Visitacion Valley Elementary School fosters a culturally diverse community dedicated to service and partnership with families, providing an optimal and inclusive education to ensure students' lifelong success.", + "about_bp": [ + "Title I School with a commitment to serving a diverse student body.", + "Comprehensive literacy and math programs integrated into core curricula.", + "Strong emphasis on English Language Development with daily designated blocks.", + "Rich extended learning opportunities in creative and performing arts.", + "Focus on technology-based learning and 21st-century skills development." + ], + "principal": "Cephus Johnson", + "website_url": "https://www.sfusd.edu/school/visitacion-valley-elementary-school", + "donation_text": "Mail a check made out to Visitacion Valley Elementary School and mail it to:\nVisitacion Valley Elementary School\n55 Schwerin St, San Francisco, CA 94134-2742, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$rLZfjWVpv1U?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 126, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 37, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 29, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 10, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 26, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 89, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "visitacion-valley-elementary-school.jpg", + "logo": "visitacion-valley-elementary-school.png" + }, + { + "casid": "6059919", + "name": "Visitacion Valley Middle School", + "address": "1971 Visitacion Ave, San Francisco, CA 94134-2700, United States", + "neighborhood": "Visitacion Valley", + "priority": false, + "latitude": "37.7159", + "longitude": "-122.41305", + "profile": { + "create": { + "about": "Visitacion Valley Middle School, nestled in the heart of a culturally rich and diverse San Francisco neighborhood, is dedicated to fostering a thriving community focused on love, literacy, and liberation for all students.", + "about_bp": [ + "Home to the innovative Quiet Time program involving Transcendental Meditation, enhancing mental wellness and focus.", + "VVMS boasts a unique golfing facility and program, developed in partnership with the First Tee Foundation.", + "The school offers enhanced learning environments with block scheduling and Project-Based Learning to deepen student engagement.", + "Comprehensive arts and technology programs including modern band, visual arts, and computer science.", + "Strong emphasis on culturally responsive teaching and restorative practices to promote inclusivity and belonging." + ], + "principal": "Maya Baker", + "website_url": "https://www.sfusd.edu/school/visitacion-valley-middle-school", + "donation_text": "Mail a check made out to Visitacion Valley Middle School and mail it to:\nVisitacion Valley Middle School\n1971 Visitacion Ave, San Francisco, CA 94134-2700, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 342, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 8, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 14, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 42, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 92, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "visitacion-valley-middle-school.jpg", + "logo": "visitacion-valley-middle-school.png" + }, + { + "casid": "6041727", + "name": "West Portal Elementary School", + "address": "5 Lenox Way, San Francisco, CA 94127-1111, United States", + "neighborhood": "West Portal", + "priority": false, + "latitude": "37.74338", + "longitude": "-122.46464", + "profile": { + "create": { + "about": "West Portal School is a thriving TK through 5th grade educational institution in San Francisco, fostering student achievement and success through inclusive, equity-focused practices and a joyful, student-centered approach.", + "about_bp": [ + "Small class sizes through third grade ensure personalized attention and support.", + "A rich array of enrichment activities, including gardening, music, sports, and field trips, inspire joyful learning.", + "Strong emphasis on developing 21st Century skills such as critical thinking, problem-solving, and social skills.", + "Dedicated to inclusivity and growth mindset, ensuring students are supported both academically and socially.", + "Comprehensive after-school programs and specialized language and special education programs enhance student development." + ], + "principal": "Henry Wong", + "website_url": "https://www.sfusd.edu/school/west-portal-elementary-school", + "donation_text": "Mail a check made out to West Portal Elementary School and mail it to:\nWest Portal Elementary School\n5 Lenox Way, San Francisco, CA 94127-1111, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$Y-1eY2_gDPw?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 268, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 70, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 66, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 9, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 45, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock3.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock2.png", + "category": "volunteer" + } + ] + } + }, + "img": "west-portal-elementary-school.jpg", + "logo": "west-portal-elementary-school.jpg" + }, + { + "casid": "0132241", + "name": "Willie L. Brown Jr. Middle School", + "address": "2055 Silver Ave, San Francisco, CA 94124-2032, United States", + "neighborhood": "Silver Terrace", + "priority": false, + "latitude": "37.73643", + "longitude": "-122.39892", + "profile": { + "create": { + "about": "Willie L. Brown Jr. Middle School offers a cutting-edge STEM curriculum, fostering students' STEM skills and social justice advocacy, within a state-of-the-art campus featuring advanced resources and unique learning environments.", + "about_bp": [ + "Project-based STEM education to prepare students for STEM degrees and careers.", + "State-of-the-art facilities including San Francisco's sole middle school science laboratory.", + "Priority high school admission for students attending all three years.", + "Comprehensive athletic programs including soccer, basketball, and more.", + "Extensive after school and arts enrichment programs available to all students." + ], + "principal": "Malea Mouton-Fuentes", + "website_url": "https://www.sfusd.edu/school/willie-l-brown-jr-middle-school", + "donation_text": "Mail a check made out to Willie L. Brown Jr. Middle School and mail it to:\nWillie L. Brown Jr. Middle School\n2055 Silver Ave, San Francisco, CA 94124-2032, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$g-WwaDQ3iss?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 317, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 47, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 23, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 17, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 13, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 62, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock1.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock7.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock4.png", + "category": "volunteer" + } + ] + } + }, + "img": "willie-l-brown-jr-middle-school.jpg", + "logo": "willie-l-brown-jr-middle-school.png" + }, + { + "casid": "3830361", + "name": "Woodside Learning Center", + "address": "375 Woodside Ave, San Francisco, CA 94127-1221, United States", + "neighborhood": "Midtown Terrace", + "priority": false, + "latitude": "37.74588", + "longitude": "-122.45251", + "profile": { + "create": { + "about": "Woodside Learning Center (WLC) is a dedicated educational institution serving incarcerated youth at the San Francisco Juvenile Justice Center, focusing on reengaging these students with their academic progress and personal development.", + "about_bp": [ + "Expert staff specialize in differentiating instruction to cater to a wide range of learners, including those with IEPs and ELL needs.", + "Provides a safe and supportive learning environment amidst the challenges faced by students undergoing legal processes.", + "Offers various programs to aid student reintegration, including guest speakers, a culinary garden, and tutoring sessions.", + "Enables academic growth through project-based learning and media arts enrichment.", + "Supports students with comprehensive counseling and access to healthcare professionals." + ], + "principal": "Sylvia Lepe Reyes", + "website_url": "https://www.sfusd.edu/school/woodside-learning-center", + "donation_text": "Mail a check made out to Woodside Learning Center and mail it to:\nWoodside Learning Center\n375 Woodside Ave, San Francisco, CA 94127-1221, United States\n", + "volunteer_form_url": "" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 5, + "unit": "", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 100, + "unit": "%", + "category": "about" + }, + { + "name": "High School Graduation Rate", + "value": 13, + "unit": "%", + "category": "outcome" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock5.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock10.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock3.png", + "category": "volunteer" + } + ] + } + } + }, + { + "casid": "6041131", + "name": "Yick Wo Alternative Elementary School", + "address": "2245 Jones St, San Francisco, CA 94133-2207, United States", + "neighborhood": "Russian Hill", + "priority": false, + "latitude": "37.8019", + "longitude": "-122.41636", + "profile": { + "create": { + "about": "Yick Wo Elementary School is dedicated to fostering lifelong learning through enriching academic, social, emotional, artistic, and physical development experiences for its 240 students.", + "about_bp": [ + "High expectations and tailored teaching methods to address diverse learning styles.", + "An intimate campus setting fostering trust and supportive relationships.", + "Comprehensive enrichment programs in art, science, music, fitness, and sports.", + "Strong community partnerships and parental support through Yick Wo PTO.", + "Integrated field trips and real-world learning experiences." + ], + "principal": "Alfred Sanchez", + "website_url": "https://www.sfusd.edu/school/yick-wo-alternative-elementary-school", + "donation_text": "Mail a check made out to Yick Wo Alternative Elementary School and mail it to:\nYick Wo Alternative Elementary School\n2245 Jones St, San Francisco, CA 94133-2207, United States\n", + "volunteer_form_url": "", + "noteable_video": "https://www.youtube.com/embed/$wGT75i8JJcg?autoplay=0&start=0&rel=0" + } + }, + "metrics": { + "createMany": { + "data": [ + { + "name": "Students Enrolled", + "value": 87, + "unit": "", + "category": "about" + }, + { + "name": "English Proficiency", + "value": 67, + "unit": "%", + "category": "outcome" + }, + { + "name": "Math Proficiency", + "value": 69, + "unit": "%", + "category": "outcome" + }, + { + "name": "Students with Special Needs", + "value": 16, + "unit": "%", + "category": "about" + }, + { + "name": "English Language Learners", + "value": 11, + "unit": "%", + "category": "about" + }, + { + "name": "Free/Reduced Lunch", + "value": 53, + "unit": "%", + "category": "about" + } + ], + "skipDuplicates": true + } + }, + "programs": { + "createMany": { + "data": [ + { + "name": "Tutoring", + "details": "Provide one-on-one academic support to students on a range of topics", + "url": "", + "img": "/volunteer/tutoring/stock2.png", + "category": "volunteer" + }, + { + "name": "Event Volunteer", + "details": "Provide support for school-sponsored events", + "url": "", + "img": "/volunteer/event/stock6.png", + "category": "volunteer" + }, + { + "name": "Career Prep and Mentoring", + "details": "Provide students with mentoring, career insight and readiness", + "url": "", + "img": "/volunteer/event/stock1.png", + "category": "volunteer" + } + ] + } + }, + "img": "yick-wo-alternative-elementary-school.jpg", + "logo": "yick-wo-alternative-elementary-school.jpg" + } +] \ No newline at end of file diff --git a/public/school_img/full/abraham-lincoln-high-school.jpg b/public/school_img/full/abraham-lincoln-high-school.jpg new file mode 100644 index 0000000..21f7710 Binary files /dev/null and b/public/school_img/full/abraham-lincoln-high-school.jpg differ diff --git a/public/school_img/full/academy-san-francisco-mcateer.jpg b/public/school_img/full/academy-san-francisco-mcateer.jpg new file mode 100644 index 0000000..03acf86 Binary files /dev/null and b/public/school_img/full/academy-san-francisco-mcateer.jpg differ diff --git a/public/school_img/full/accesssfusd-arc.jpeg b/public/school_img/full/accesssfusd-arc.jpeg new file mode 100644 index 0000000..11939c8 Binary files /dev/null and b/public/school_img/full/accesssfusd-arc.jpeg differ diff --git a/public/school_img/full/alamo-elementary-school.jpg b/public/school_img/full/alamo-elementary-school.jpg new file mode 100644 index 0000000..a08f030 Binary files /dev/null and b/public/school_img/full/alamo-elementary-school.jpg differ diff --git a/public/school_img/full/alice-fong-yu-alternative-school-k-8.png b/public/school_img/full/alice-fong-yu-alternative-school-k-8.png new file mode 100644 index 0000000..6de020b Binary files /dev/null and b/public/school_img/full/alice-fong-yu-alternative-school-k-8.png differ diff --git a/public/school_img/full/alvarado-elementary-school.jpg b/public/school_img/full/alvarado-elementary-school.jpg new file mode 100644 index 0000000..f14182d Binary files /dev/null and b/public/school_img/full/alvarado-elementary-school.jpg differ diff --git a/public/school_img/full/ap-giannini-middle-school.jpg b/public/school_img/full/ap-giannini-middle-school.jpg new file mode 100644 index 0000000..7816ca5 Binary files /dev/null and b/public/school_img/full/ap-giannini-middle-school.jpg differ diff --git a/public/school_img/full/aptos-middle-school.jpg b/public/school_img/full/aptos-middle-school.jpg new file mode 100644 index 0000000..135e32a Binary files /dev/null and b/public/school_img/full/aptos-middle-school.jpg differ diff --git a/public/school_img/full/argonne-early-education-school.jpg b/public/school_img/full/argonne-early-education-school.jpg new file mode 100644 index 0000000..68b2521 Binary files /dev/null and b/public/school_img/full/argonne-early-education-school.jpg differ diff --git a/public/school_img/full/argonne-elementary-school-extended-year.jpeg b/public/school_img/full/argonne-elementary-school-extended-year.jpeg new file mode 100644 index 0000000..bfc8291 Binary files /dev/null and b/public/school_img/full/argonne-elementary-school-extended-year.jpeg differ diff --git a/public/school_img/balboa.jpeg b/public/school_img/full/balboa.jpeg similarity index 100% rename from public/school_img/balboa.jpeg rename to public/school_img/full/balboa.jpeg diff --git a/public/school_img/full/bessie-carmichael-school-prek-8-filipino-education-center.jpg b/public/school_img/full/bessie-carmichael-school-prek-8-filipino-education-center.jpg new file mode 100644 index 0000000..ff43f27 Binary files /dev/null and b/public/school_img/full/bessie-carmichael-school-prek-8-filipino-education-center.jpg differ diff --git a/public/school_img/full/bret-harte-elementary-school.jpg b/public/school_img/full/bret-harte-elementary-school.jpg new file mode 100644 index 0000000..811e04a Binary files /dev/null and b/public/school_img/full/bret-harte-elementary-school.jpg differ diff --git a/public/school_img/full/bryant-elementary-school.jpg b/public/school_img/full/bryant-elementary-school.jpg new file mode 100644 index 0000000..197d742 Binary files /dev/null and b/public/school_img/full/bryant-elementary-school.jpg differ diff --git a/public/school_img/full/buena-vista-horace-mann-k-8-community-school.jpg b/public/school_img/full/buena-vista-horace-mann-k-8-community-school.jpg new file mode 100644 index 0000000..f04e77d Binary files /dev/null and b/public/school_img/full/buena-vista-horace-mann-k-8-community-school.jpg differ diff --git a/public/school_img/burton.jpeg b/public/school_img/full/burton.jpeg similarity index 100% rename from public/school_img/burton.jpeg rename to public/school_img/full/burton.jpeg diff --git a/public/school_img/full/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg b/public/school_img/full/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg new file mode 100644 index 0000000..f98ad8d Binary files /dev/null and b/public/school_img/full/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.jpg differ diff --git a/public/school_img/full/claire-lilienthal-alternative-school-k-2-madison-campus.png b/public/school_img/full/claire-lilienthal-alternative-school-k-2-madison-campus.png new file mode 100644 index 0000000..d1a85b0 Binary files /dev/null and b/public/school_img/full/claire-lilienthal-alternative-school-k-2-madison-campus.png differ diff --git a/public/school_img/full/claire-lilienthal-alternative-school-k-8.jpg b/public/school_img/full/claire-lilienthal-alternative-school-k-8.jpg new file mode 100644 index 0000000..3c3c5ee Binary files /dev/null and b/public/school_img/full/claire-lilienthal-alternative-school-k-8.jpg differ diff --git a/public/school_img/full/clarendon-alternative-elementary-school.jpg b/public/school_img/full/clarendon-alternative-elementary-school.jpg new file mode 100644 index 0000000..bda5343 Binary files /dev/null and b/public/school_img/full/clarendon-alternative-elementary-school.jpg differ diff --git a/public/school_img/full/cleveland-elementary-school.jpg b/public/school_img/full/cleveland-elementary-school.jpg new file mode 100644 index 0000000..bbee52f Binary files /dev/null and b/public/school_img/full/cleveland-elementary-school.jpg differ diff --git a/public/school_img/full/commodore-sloat-elementary-school.jpg b/public/school_img/full/commodore-sloat-elementary-school.jpg new file mode 100644 index 0000000..176bac5 Binary files /dev/null and b/public/school_img/full/commodore-sloat-elementary-school.jpg differ diff --git a/public/school_img/full/commodore-stockton-early-education-school.jpg b/public/school_img/full/commodore-stockton-early-education-school.jpg new file mode 100644 index 0000000..821bab4 Binary files /dev/null and b/public/school_img/full/commodore-stockton-early-education-school.jpg differ diff --git a/public/school_img/full/daniel-webster-elementary-school.png b/public/school_img/full/daniel-webster-elementary-school.png new file mode 100644 index 0000000..e46f499 Binary files /dev/null and b/public/school_img/full/daniel-webster-elementary-school.png differ diff --git a/public/school_img/full/default.png b/public/school_img/full/default.png new file mode 100644 index 0000000..e7c4798 Binary files /dev/null and b/public/school_img/full/default.png differ diff --git a/public/school_img/full/dianne-feinstein-elementary-school.jpg b/public/school_img/full/dianne-feinstein-elementary-school.jpg new file mode 100644 index 0000000..6166a4b Binary files /dev/null and b/public/school_img/full/dianne-feinstein-elementary-school.jpg differ diff --git a/public/school_img/full/dolores-huerta-elementary-school.jpg b/public/school_img/full/dolores-huerta-elementary-school.jpg new file mode 100644 index 0000000..71faeb8 Binary files /dev/null and b/public/school_img/full/dolores-huerta-elementary-school.jpg differ diff --git a/public/school_img/full/downtown-high-school.jpg b/public/school_img/full/downtown-high-school.jpg new file mode 100644 index 0000000..f1e2c4e Binary files /dev/null and b/public/school_img/full/downtown-high-school.jpg differ diff --git a/public/school_img/downtown.jpeg b/public/school_img/full/downtown.jpeg similarity index 100% rename from public/school_img/downtown.jpeg rename to public/school_img/full/downtown.jpeg diff --git a/public/school_img/full/dr-charles-r-drew-college-preparatory-academy.jpg b/public/school_img/full/dr-charles-r-drew-college-preparatory-academy.jpg new file mode 100644 index 0000000..b907ef3 Binary files /dev/null and b/public/school_img/full/dr-charles-r-drew-college-preparatory-academy.jpg differ diff --git a/public/school_img/full/dr-george-washington-carver-elementary-school.jpg b/public/school_img/full/dr-george-washington-carver-elementary-school.jpg new file mode 100644 index 0000000..81fd134 Binary files /dev/null and b/public/school_img/full/dr-george-washington-carver-elementary-school.jpg differ diff --git a/public/school_img/full/dr-martin-luther-king-jr-academic-middle-school.jpg b/public/school_img/full/dr-martin-luther-king-jr-academic-middle-school.jpg new file mode 100644 index 0000000..0e87882 Binary files /dev/null and b/public/school_img/full/dr-martin-luther-king-jr-academic-middle-school.jpg differ diff --git a/public/school_img/full/dr-william-l-cobb-elementary-school.jpg b/public/school_img/full/dr-william-l-cobb-elementary-school.jpg new file mode 100644 index 0000000..721d1e3 Binary files /dev/null and b/public/school_img/full/dr-william-l-cobb-elementary-school.jpg differ diff --git a/public/school_img/full/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg b/public/school_img/full/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg new file mode 100644 index 0000000..040321f Binary files /dev/null and b/public/school_img/full/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg differ diff --git a/public/school_img/full/el-dorado-elementary-school.png b/public/school_img/full/el-dorado-elementary-school.png new file mode 100644 index 0000000..7c87695 Binary files /dev/null and b/public/school_img/full/el-dorado-elementary-school.png differ diff --git a/public/school_img/full/er-taylor-elementary-school.jpeg b/public/school_img/full/er-taylor-elementary-school.jpeg new file mode 100644 index 0000000..6ea19c1 Binary files /dev/null and b/public/school_img/full/er-taylor-elementary-school.jpeg differ diff --git a/public/school_img/full/everett-middle-school.jpg b/public/school_img/full/everett-middle-school.jpg new file mode 100644 index 0000000..bef80da Binary files /dev/null and b/public/school_img/full/everett-middle-school.jpg differ diff --git a/public/school_img/full/francis-scott-key-elementary-school.jpg b/public/school_img/full/francis-scott-key-elementary-school.jpg new file mode 100644 index 0000000..779df4b Binary files /dev/null and b/public/school_img/full/francis-scott-key-elementary-school.jpg differ diff --git a/public/school_img/full/francisco-middle-school.jpg b/public/school_img/full/francisco-middle-school.jpg new file mode 100644 index 0000000..bfe80cb Binary files /dev/null and b/public/school_img/full/francisco-middle-school.jpg differ diff --git a/public/school_img/full/galileo-academy-science-technology.jpg b/public/school_img/full/galileo-academy-science-technology.jpg new file mode 100644 index 0000000..732f6e9 Binary files /dev/null and b/public/school_img/full/galileo-academy-science-technology.jpg differ diff --git a/public/school_img/galileo.jpeg b/public/school_img/full/galileo.jpeg similarity index 100% rename from public/school_img/galileo.jpeg rename to public/school_img/full/galileo.jpeg diff --git a/public/school_img/full/george-peabody-elementary-school.jpg b/public/school_img/full/george-peabody-elementary-school.jpg new file mode 100644 index 0000000..493b7bc Binary files /dev/null and b/public/school_img/full/george-peabody-elementary-school.jpg differ diff --git a/public/school_img/full/george-r-moscone-elementary-school.jpeg b/public/school_img/full/george-r-moscone-elementary-school.jpeg new file mode 100644 index 0000000..f98b3a9 Binary files /dev/null and b/public/school_img/full/george-r-moscone-elementary-school.jpeg differ diff --git a/public/school_img/full/george-washington-high-school.jpg b/public/school_img/full/george-washington-high-school.jpg new file mode 100644 index 0000000..d7f59bd Binary files /dev/null and b/public/school_img/full/george-washington-high-school.jpg differ diff --git a/public/school_img/full/glen-park-elementary-school.jpg b/public/school_img/full/glen-park-elementary-school.jpg new file mode 100644 index 0000000..f410fbf Binary files /dev/null and b/public/school_img/full/glen-park-elementary-school.jpg differ diff --git a/public/school_img/full/gordon-j-lau-elementary-school.jpeg b/public/school_img/full/gordon-j-lau-elementary-school.jpeg new file mode 100644 index 0000000..85e41ce Binary files /dev/null and b/public/school_img/full/gordon-j-lau-elementary-school.jpeg differ diff --git a/public/school_img/full/grattan-elementary-school.jpg b/public/school_img/full/grattan-elementary-school.jpg new file mode 100644 index 0000000..d44c46e Binary files /dev/null and b/public/school_img/full/grattan-elementary-school.jpg differ diff --git a/public/school_img/full/guadalupe-elementary-school.jpeg b/public/school_img/full/guadalupe-elementary-school.jpeg new file mode 100644 index 0000000..26a5b50 Binary files /dev/null and b/public/school_img/full/guadalupe-elementary-school.jpeg differ diff --git a/public/school_img/full/harvey-milk-civil-rights-academy.jpeg b/public/school_img/full/harvey-milk-civil-rights-academy.jpeg new file mode 100644 index 0000000..f9199f0 Binary files /dev/null and b/public/school_img/full/harvey-milk-civil-rights-academy.jpeg differ diff --git a/public/school_img/full/herbert-hoover-middle-school.jpg b/public/school_img/full/herbert-hoover-middle-school.jpg new file mode 100644 index 0000000..d184a1b Binary files /dev/null and b/public/school_img/full/herbert-hoover-middle-school.jpg differ diff --git a/public/school_img/full/hillcrest-elementary-school.jpg b/public/school_img/full/hillcrest-elementary-school.jpg new file mode 100644 index 0000000..83ba370 Binary files /dev/null and b/public/school_img/full/hillcrest-elementary-school.jpg differ diff --git a/public/school_img/full/ida-b-wells-high-school.png b/public/school_img/full/ida-b-wells-high-school.png new file mode 100644 index 0000000..8a0855b Binary files /dev/null and b/public/school_img/full/ida-b-wells-high-school.png differ diff --git a/public/school_img/idabwells.jpeg b/public/school_img/full/idabwells.jpeg similarity index 100% rename from public/school_img/idabwells.jpeg rename to public/school_img/full/idabwells.jpeg diff --git a/public/school_img/full/independence-high-school.jpg b/public/school_img/full/independence-high-school.jpg new file mode 100644 index 0000000..96a84f0 Binary files /dev/null and b/public/school_img/full/independence-high-school.jpg differ diff --git a/public/school_img/independence.jpeg b/public/school_img/full/independence.jpeg similarity index 100% rename from public/school_img/independence.jpeg rename to public/school_img/full/independence.jpeg diff --git a/public/school_img/international.jpeg b/public/school_img/full/international.jpeg similarity index 100% rename from public/school_img/international.jpeg rename to public/school_img/full/international.jpeg diff --git a/public/school_img/full/james-denman-middle-school.jpeg b/public/school_img/full/james-denman-middle-school.jpeg new file mode 100644 index 0000000..0bba92d Binary files /dev/null and b/public/school_img/full/james-denman-middle-school.jpeg differ diff --git a/public/school_img/full/james-lick-middle-school.jpg b/public/school_img/full/james-lick-middle-school.jpg new file mode 100644 index 0000000..fa07716 Binary files /dev/null and b/public/school_img/full/james-lick-middle-school.jpg differ diff --git a/public/school_img/full/jean-parker-elementary-school.jpg b/public/school_img/full/jean-parker-elementary-school.jpg new file mode 100644 index 0000000..f692fdf Binary files /dev/null and b/public/school_img/full/jean-parker-elementary-school.jpg differ diff --git a/public/school_img/full/jefferson-elementary-school.jpeg b/public/school_img/full/jefferson-elementary-school.jpeg new file mode 100644 index 0000000..16355ac Binary files /dev/null and b/public/school_img/full/jefferson-elementary-school.jpeg differ diff --git a/public/school_img/full/john-muir-elementary-school.jpg b/public/school_img/full/john-muir-elementary-school.jpg new file mode 100644 index 0000000..2feec74 Binary files /dev/null and b/public/school_img/full/john-muir-elementary-school.jpg differ diff --git a/public/school_img/full/john-oconnell-high-school.png b/public/school_img/full/john-oconnell-high-school.png new file mode 100644 index 0000000..04f4488 Binary files /dev/null and b/public/school_img/full/john-oconnell-high-school.png differ diff --git a/public/school_img/full/john-yehall-chin-elementary-school.jpg b/public/school_img/full/john-yehall-chin-elementary-school.jpg new file mode 100644 index 0000000..711c670 Binary files /dev/null and b/public/school_img/full/john-yehall-chin-elementary-school.jpg differ diff --git a/public/school_img/johnoconnell.jpeg b/public/school_img/full/johnoconnell.jpeg similarity index 100% rename from public/school_img/johnoconnell.jpeg rename to public/school_img/full/johnoconnell.jpeg diff --git a/public/school_img/full/jose-ortega-elementary-school.jpg b/public/school_img/full/jose-ortega-elementary-school.jpg new file mode 100644 index 0000000..e432e28 Binary files /dev/null and b/public/school_img/full/jose-ortega-elementary-school.jpg differ diff --git a/public/school_img/full/june-jordan-school-equity.png b/public/school_img/full/june-jordan-school-equity.png new file mode 100644 index 0000000..d6e40d3 Binary files /dev/null and b/public/school_img/full/june-jordan-school-equity.png differ diff --git a/public/school_img/junejordan.jpeg b/public/school_img/full/junejordan.jpeg similarity index 100% rename from public/school_img/junejordan.jpeg rename to public/school_img/full/junejordan.jpeg diff --git a/public/school_img/full/junipero-serra-elementary-school.jpg b/public/school_img/full/junipero-serra-elementary-school.jpg new file mode 100644 index 0000000..73dd94f Binary files /dev/null and b/public/school_img/full/junipero-serra-elementary-school.jpg differ diff --git a/public/school_img/full/lafayette-elementary-school.jpg b/public/school_img/full/lafayette-elementary-school.jpg new file mode 100644 index 0000000..b5855fc Binary files /dev/null and b/public/school_img/full/lafayette-elementary-school.jpg differ diff --git a/public/school_img/full/lakeshore-alternative-elementary-school.jpg b/public/school_img/full/lakeshore-alternative-elementary-school.jpg new file mode 100644 index 0000000..d9aa022 Binary files /dev/null and b/public/school_img/full/lakeshore-alternative-elementary-school.jpg differ diff --git a/public/school_img/full/leonard-r-flynn-elementary-school.jpg b/public/school_img/full/leonard-r-flynn-elementary-school.jpg new file mode 100644 index 0000000..ab77958 Binary files /dev/null and b/public/school_img/full/leonard-r-flynn-elementary-school.jpg differ diff --git a/public/school_img/lincoln.jpeg b/public/school_img/full/lincoln.jpeg similarity index 100% rename from public/school_img/lincoln.jpeg rename to public/school_img/full/lincoln.jpeg diff --git a/public/school_img/full/longfellow-elementary-school.png b/public/school_img/full/longfellow-elementary-school.png new file mode 100644 index 0000000..927b165 Binary files /dev/null and b/public/school_img/full/longfellow-elementary-school.png differ diff --git a/public/school_img/full/lowell-high-school.jpg b/public/school_img/full/lowell-high-school.jpg new file mode 100644 index 0000000..7eca180 Binary files /dev/null and b/public/school_img/full/lowell-high-school.jpg differ diff --git a/public/school_img/lowell.jpeg b/public/school_img/full/lowell.jpeg similarity index 100% rename from public/school_img/lowell.jpeg rename to public/school_img/full/lowell.jpeg diff --git a/public/school_img/full/malcolm-x-academy-elementary-school.jpg b/public/school_img/full/malcolm-x-academy-elementary-school.jpg new file mode 100644 index 0000000..b6a0b9b Binary files /dev/null and b/public/school_img/full/malcolm-x-academy-elementary-school.jpg differ diff --git a/public/school_img/full/marina-middle-school.jpg b/public/school_img/full/marina-middle-school.jpg new file mode 100644 index 0000000..9e71107 Binary files /dev/null and b/public/school_img/full/marina-middle-school.jpg differ diff --git a/public/school_img/full/marshall-elementary-school.jpg b/public/school_img/full/marshall-elementary-school.jpg new file mode 100644 index 0000000..3da5357 Binary files /dev/null and b/public/school_img/full/marshall-elementary-school.jpg differ diff --git a/public/school_img/full/mccoppin.jpg b/public/school_img/full/mccoppin.jpg new file mode 100644 index 0000000..3bb327b Binary files /dev/null and b/public/school_img/full/mccoppin.jpg differ diff --git a/public/school_img/full/mckinley-elementary-school.jpg b/public/school_img/full/mckinley-elementary-school.jpg new file mode 100644 index 0000000..be2b583 Binary files /dev/null and b/public/school_img/full/mckinley-elementary-school.jpg differ diff --git a/public/school_img/full/mission-education-center-elementary-school.jpg b/public/school_img/full/mission-education-center-elementary-school.jpg new file mode 100644 index 0000000..52620a8 Binary files /dev/null and b/public/school_img/full/mission-education-center-elementary-school.jpg differ diff --git a/public/school_img/full/mission-high-school.jpg b/public/school_img/full/mission-high-school.jpg new file mode 100644 index 0000000..d6b8f08 Binary files /dev/null and b/public/school_img/full/mission-high-school.jpg differ diff --git a/public/school_img/mission.jpeg b/public/school_img/full/mission.jpeg similarity index 100% rename from public/school_img/mission.jpeg rename to public/school_img/full/mission.jpeg diff --git a/public/school_img/full/monroe-elementary-school.jpg b/public/school_img/full/monroe-elementary-school.jpg new file mode 100644 index 0000000..c9cf5cb Binary files /dev/null and b/public/school_img/full/monroe-elementary-school.jpg differ diff --git a/public/school_img/full/new-traditions-creative-arts-elementary-school.jpg b/public/school_img/full/new-traditions-creative-arts-elementary-school.jpg new file mode 100644 index 0000000..fdc2bdd Binary files /dev/null and b/public/school_img/full/new-traditions-creative-arts-elementary-school.jpg differ diff --git a/public/school_img/full/paul-revere-prek-8-school.png b/public/school_img/full/paul-revere-prek-8-school.png new file mode 100644 index 0000000..ad5d589 Binary files /dev/null and b/public/school_img/full/paul-revere-prek-8-school.png differ diff --git a/public/school_img/full/phillip-and-sala-burton-academic-high-school.jpg b/public/school_img/full/phillip-and-sala-burton-academic-high-school.jpg new file mode 100644 index 0000000..97db840 Binary files /dev/null and b/public/school_img/full/phillip-and-sala-burton-academic-high-school.jpg differ diff --git a/public/school_img/full/presidio-middle-school.jpg b/public/school_img/full/presidio-middle-school.jpg new file mode 100644 index 0000000..9160c54 Binary files /dev/null and b/public/school_img/full/presidio-middle-school.jpg differ diff --git a/public/school_img/full/raoul-wallenberg-high-school.jpg b/public/school_img/full/raoul-wallenberg-high-school.jpg new file mode 100644 index 0000000..1241046 Binary files /dev/null and b/public/school_img/full/raoul-wallenberg-high-school.jpg differ diff --git a/public/school_img/full/raphael-weill-early-education-school.jpg b/public/school_img/full/raphael-weill-early-education-school.jpg new file mode 100644 index 0000000..006bcae Binary files /dev/null and b/public/school_img/full/raphael-weill-early-education-school.jpg differ diff --git a/public/school_img/full/redding-elementary-school.jpg b/public/school_img/full/redding-elementary-school.jpg new file mode 100644 index 0000000..3414d77 Binary files /dev/null and b/public/school_img/full/redding-elementary-school.jpg differ diff --git a/public/school_img/full/robert-louis-stevenson-elementary-school.jpg b/public/school_img/full/robert-louis-stevenson-elementary-school.jpg new file mode 100644 index 0000000..9bde130 Binary files /dev/null and b/public/school_img/full/robert-louis-stevenson-elementary-school.jpg differ diff --git a/public/school_img/full/rooftop-school-tk-8.jpg b/public/school_img/full/rooftop-school-tk-8.jpg new file mode 100644 index 0000000..708bd55 Binary files /dev/null and b/public/school_img/full/rooftop-school-tk-8.jpg differ diff --git a/public/school_img/full/rooftop-tk-8-school-mayeda-campus.jpg b/public/school_img/full/rooftop-tk-8-school-mayeda-campus.jpg new file mode 100644 index 0000000..708bd55 Binary files /dev/null and b/public/school_img/full/rooftop-tk-8-school-mayeda-campus.jpg differ diff --git a/public/school_img/full/roosevelt-middle-school.jpg b/public/school_img/full/roosevelt-middle-school.jpg new file mode 100644 index 0000000..1d80fd8 Binary files /dev/null and b/public/school_img/full/roosevelt-middle-school.jpg differ diff --git a/public/school_img/full/rosa-parks-elementary-school.jpg b/public/school_img/full/rosa-parks-elementary-school.jpg new file mode 100644 index 0000000..f6a1c83 Binary files /dev/null and b/public/school_img/full/rosa-parks-elementary-school.jpg differ diff --git a/public/school_img/ruthasawa.jpeg b/public/school_img/full/ruthasawa.jpeg similarity index 100% rename from public/school_img/ruthasawa.jpeg rename to public/school_img/full/ruthasawa.jpeg diff --git a/public/school_img/full/san-francisco-community-school.jpg b/public/school_img/full/san-francisco-community-school.jpg new file mode 100644 index 0000000..7343743 Binary files /dev/null and b/public/school_img/full/san-francisco-community-school.jpg differ diff --git a/public/school_img/full/san-francisco-international-high-school.jpg b/public/school_img/full/san-francisco-international-high-school.jpg new file mode 100644 index 0000000..5c5c258 Binary files /dev/null and b/public/school_img/full/san-francisco-international-high-school.jpg differ diff --git a/public/school_img/full/san-francisco-public-montessori.jpg b/public/school_img/full/san-francisco-public-montessori.jpg new file mode 100644 index 0000000..2a165b0 Binary files /dev/null and b/public/school_img/full/san-francisco-public-montessori.jpg differ diff --git a/public/school_img/full/sanchez-elementary-school.jpg b/public/school_img/full/sanchez-elementary-school.jpg new file mode 100644 index 0000000..867a013 Binary files /dev/null and b/public/school_img/full/sanchez-elementary-school.jpg differ diff --git a/public/school_img/full/sheridan-elementary-school.jpg b/public/school_img/full/sheridan-elementary-school.jpg new file mode 100644 index 0000000..a7c50f5 Binary files /dev/null and b/public/school_img/full/sheridan-elementary-school.jpg differ diff --git a/public/school_img/full/sherman-elementary-school.jpg b/public/school_img/full/sherman-elementary-school.jpg new file mode 100644 index 0000000..4cd818f Binary files /dev/null and b/public/school_img/full/sherman-elementary-school.jpg differ diff --git a/public/school_img/full/spring-valley-science-elementary-school.png b/public/school_img/full/spring-valley-science-elementary-school.png new file mode 100644 index 0000000..5d8faab Binary files /dev/null and b/public/school_img/full/spring-valley-science-elementary-school.png differ diff --git a/public/school_img/full/starr-king-elementary-school.jpg b/public/school_img/full/starr-king-elementary-school.jpg new file mode 100644 index 0000000..2b0a606 Binary files /dev/null and b/public/school_img/full/starr-king-elementary-school.jpg differ diff --git a/public/school_img/full/sunnyside-elementary-school.jpg b/public/school_img/full/sunnyside-elementary-school.jpg new file mode 100644 index 0000000..cfb8fa7 Binary files /dev/null and b/public/school_img/full/sunnyside-elementary-school.jpg differ diff --git a/public/school_img/full/sunset-elementary-school.jpg b/public/school_img/full/sunset-elementary-school.jpg new file mode 100644 index 0000000..422bdaa Binary files /dev/null and b/public/school_img/full/sunset-elementary-school.jpg differ diff --git a/public/school_img/full/sutro-elementary-school.png b/public/school_img/full/sutro-elementary-school.png new file mode 100644 index 0000000..eabb48a Binary files /dev/null and b/public/school_img/full/sutro-elementary-school.png differ diff --git a/public/school_img/full/tenderloin-community-elementary-school.jpg b/public/school_img/full/tenderloin-community-elementary-school.jpg new file mode 100644 index 0000000..4ac9932 Binary files /dev/null and b/public/school_img/full/tenderloin-community-elementary-school.jpg differ diff --git a/public/school_img/theacademy.jpeg b/public/school_img/full/theacademy.jpeg similarity index 100% rename from public/school_img/theacademy.jpeg rename to public/school_img/full/theacademy.jpeg diff --git a/public/school_img/full/thurgood-marshall-academic-high-school.jpg b/public/school_img/full/thurgood-marshall-academic-high-school.jpg new file mode 100644 index 0000000..1fe42fd Binary files /dev/null and b/public/school_img/full/thurgood-marshall-academic-high-school.jpg differ diff --git a/public/school_img/thurgood.jpeg b/public/school_img/full/thurgood.jpeg similarity index 100% rename from public/school_img/thurgood.jpeg rename to public/school_img/full/thurgood.jpeg diff --git a/public/school_img/full/tule-elk-park-early-education-school.jpg b/public/school_img/full/tule-elk-park-early-education-school.jpg new file mode 100644 index 0000000..f6e5257 Binary files /dev/null and b/public/school_img/full/tule-elk-park-early-education-school.jpg differ diff --git a/public/school_img/full/ulloa-elementary-school.jpg b/public/school_img/full/ulloa-elementary-school.jpg new file mode 100644 index 0000000..e7b8415 Binary files /dev/null and b/public/school_img/full/ulloa-elementary-school.jpg differ diff --git a/public/school_img/full/visitacion-valley-elementary-school.jpg b/public/school_img/full/visitacion-valley-elementary-school.jpg new file mode 100644 index 0000000..fb101cd Binary files /dev/null and b/public/school_img/full/visitacion-valley-elementary-school.jpg differ diff --git a/public/school_img/full/visitacion-valley-middle-school.jpg b/public/school_img/full/visitacion-valley-middle-school.jpg new file mode 100644 index 0000000..a8327e5 Binary files /dev/null and b/public/school_img/full/visitacion-valley-middle-school.jpg differ diff --git a/public/school_img/wallenberg.jpeg b/public/school_img/full/wallenberg.jpeg similarity index 100% rename from public/school_img/wallenberg.jpeg rename to public/school_img/full/wallenberg.jpeg diff --git a/public/school_img/washington.jpeg b/public/school_img/full/washington.jpeg similarity index 100% rename from public/school_img/washington.jpeg rename to public/school_img/full/washington.jpeg diff --git a/public/school_img/full/west-portal-elementary-school.jpg b/public/school_img/full/west-portal-elementary-school.jpg new file mode 100644 index 0000000..dfb1562 Binary files /dev/null and b/public/school_img/full/west-portal-elementary-school.jpg differ diff --git a/public/school_img/full/willie-l-brown-jr-middle-school.jpg b/public/school_img/full/willie-l-brown-jr-middle-school.jpg new file mode 100644 index 0000000..5f2a9e2 Binary files /dev/null and b/public/school_img/full/willie-l-brown-jr-middle-school.jpg differ diff --git a/public/school_img/full/yick-wo-alternative-elementary-school.jpg b/public/school_img/full/yick-wo-alternative-elementary-school.jpg new file mode 100644 index 0000000..b9ada83 Binary files /dev/null and b/public/school_img/full/yick-wo-alternative-elementary-school.jpg differ diff --git a/public/school_img/full/zaida-t-rodriguez-early-education-school.jpg b/public/school_img/full/zaida-t-rodriguez-early-education-school.jpg new file mode 100644 index 0000000..7fdbe3e Binary files /dev/null and b/public/school_img/full/zaida-t-rodriguez-early-education-school.jpg differ diff --git a/public/school_img/logo/abraham-lincoln-high-school.png b/public/school_img/logo/abraham-lincoln-high-school.png new file mode 100644 index 0000000..a1f948e Binary files /dev/null and b/public/school_img/logo/abraham-lincoln-high-school.png differ diff --git a/public/school_img/logo/academy-san-francisco-mcateer.jpg b/public/school_img/logo/academy-san-francisco-mcateer.jpg new file mode 100644 index 0000000..92f9d3d Binary files /dev/null and b/public/school_img/logo/academy-san-francisco-mcateer.jpg differ diff --git a/public/school_img/logo/accesssfusd-arc.png b/public/school_img/logo/accesssfusd-arc.png new file mode 100644 index 0000000..cadeb55 Binary files /dev/null and b/public/school_img/logo/accesssfusd-arc.png differ diff --git a/public/school_img/logo/alamo-elementary-school.png b/public/school_img/logo/alamo-elementary-school.png new file mode 100644 index 0000000..283564b Binary files /dev/null and b/public/school_img/logo/alamo-elementary-school.png differ diff --git a/public/school_img/logo/alice-fong-yu-alternative-school-k-8.png b/public/school_img/logo/alice-fong-yu-alternative-school-k-8.png new file mode 100644 index 0000000..727a7ae Binary files /dev/null and b/public/school_img/logo/alice-fong-yu-alternative-school-k-8.png differ diff --git a/public/school_img/logo/alvarado-elementary-school.jpg b/public/school_img/logo/alvarado-elementary-school.jpg new file mode 100644 index 0000000..311ee78 Binary files /dev/null and b/public/school_img/logo/alvarado-elementary-school.jpg differ diff --git a/public/school_img/logo/ap-giannini-middle-school.png b/public/school_img/logo/ap-giannini-middle-school.png new file mode 100644 index 0000000..652d100 Binary files /dev/null and b/public/school_img/logo/ap-giannini-middle-school.png differ diff --git a/public/school_img/logo/argonne-elementary-school-extended-year.png b/public/school_img/logo/argonne-elementary-school-extended-year.png new file mode 100644 index 0000000..0d4dff3 Binary files /dev/null and b/public/school_img/logo/argonne-elementary-school-extended-year.png differ diff --git a/public/school_img/logo/balboa-high-school.png b/public/school_img/logo/balboa-high-school.png new file mode 100644 index 0000000..3716190 Binary files /dev/null and b/public/school_img/logo/balboa-high-school.png differ diff --git a/public/school_img/logo/bessie-carmichael-school-prek-8-filipino-education-center.png b/public/school_img/logo/bessie-carmichael-school-prek-8-filipino-education-center.png new file mode 100644 index 0000000..83cec4d Binary files /dev/null and b/public/school_img/logo/bessie-carmichael-school-prek-8-filipino-education-center.png differ diff --git a/public/school_img/logo/bret-harte-elementary-school.png b/public/school_img/logo/bret-harte-elementary-school.png new file mode 100644 index 0000000..3a76809 Binary files /dev/null and b/public/school_img/logo/bret-harte-elementary-school.png differ diff --git a/public/school_img/logo/bryant-elementary-school.jpg b/public/school_img/logo/bryant-elementary-school.jpg new file mode 100644 index 0000000..f69b537 Binary files /dev/null and b/public/school_img/logo/bryant-elementary-school.jpg differ diff --git a/public/school_img/logo/buena-vista-horace-mann-k-8-community-school.jpg b/public/school_img/logo/buena-vista-horace-mann-k-8-community-school.jpg new file mode 100644 index 0000000..d440ef8 Binary files /dev/null and b/public/school_img/logo/buena-vista-horace-mann-k-8-community-school.jpg differ diff --git a/public/school_img/logo/care-bayview.jpeg b/public/school_img/logo/care-bayview.jpeg new file mode 100644 index 0000000..85e5a79 Binary files /dev/null and b/public/school_img/logo/care-bayview.jpeg differ diff --git a/public/school_img/logo/care-buchanan.jpeg b/public/school_img/logo/care-buchanan.jpeg new file mode 100644 index 0000000..85e5a79 Binary files /dev/null and b/public/school_img/logo/care-buchanan.jpeg differ diff --git a/public/school_img/logo/care-middle-school.jpeg b/public/school_img/logo/care-middle-school.jpeg new file mode 100644 index 0000000..85e5a79 Binary files /dev/null and b/public/school_img/logo/care-middle-school.jpeg differ diff --git a/public/school_img/logo/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png b/public/school_img/logo/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png new file mode 100644 index 0000000..4a66f39 Binary files /dev/null and b/public/school_img/logo/chinese-immersion-school-de-avila-zhongwenchenjinxuexiao.png differ diff --git a/public/school_img/logo/civic-center-secondary-school.png b/public/school_img/logo/civic-center-secondary-school.png new file mode 100644 index 0000000..d19aa31 Binary files /dev/null and b/public/school_img/logo/civic-center-secondary-school.png differ diff --git a/public/school_img/logo/claire-lilienthal-alternative-school-k-2-madison-campus.jpg b/public/school_img/logo/claire-lilienthal-alternative-school-k-2-madison-campus.jpg new file mode 100644 index 0000000..5b2ed8d Binary files /dev/null and b/public/school_img/logo/claire-lilienthal-alternative-school-k-2-madison-campus.jpg differ diff --git a/public/school_img/logo/claire-lilienthal-alternative-school-k-8.jpg b/public/school_img/logo/claire-lilienthal-alternative-school-k-8.jpg new file mode 100644 index 0000000..5b2ed8d Binary files /dev/null and b/public/school_img/logo/claire-lilienthal-alternative-school-k-8.jpg differ diff --git a/public/school_img/logo/cleveland-elementary-school.png b/public/school_img/logo/cleveland-elementary-school.png new file mode 100644 index 0000000..3b908fe Binary files /dev/null and b/public/school_img/logo/cleveland-elementary-school.png differ diff --git a/public/school_img/logo/commodore-sloat-elementary-school.png b/public/school_img/logo/commodore-sloat-elementary-school.png new file mode 100644 index 0000000..2eeb48e Binary files /dev/null and b/public/school_img/logo/commodore-sloat-elementary-school.png differ diff --git a/public/school_img/logo/commodore-stockton-early-education-school.png b/public/school_img/logo/commodore-stockton-early-education-school.png new file mode 100644 index 0000000..fe43a40 Binary files /dev/null and b/public/school_img/logo/commodore-stockton-early-education-school.png differ diff --git a/public/school_img/logo/daniel-webster-elementary-school.png b/public/school_img/logo/daniel-webster-elementary-school.png new file mode 100644 index 0000000..fb7e01f Binary files /dev/null and b/public/school_img/logo/daniel-webster-elementary-school.png differ diff --git a/public/school_img/logo/default.png b/public/school_img/logo/default.png new file mode 100644 index 0000000..7907868 Binary files /dev/null and b/public/school_img/logo/default.png differ diff --git a/public/school_img/logo/dianne-feinstein-elementary-school.jpeg b/public/school_img/logo/dianne-feinstein-elementary-school.jpeg new file mode 100644 index 0000000..c69e3e6 Binary files /dev/null and b/public/school_img/logo/dianne-feinstein-elementary-school.jpeg differ diff --git a/public/school_img/logo/downtown-high-school.jpg b/public/school_img/logo/downtown-high-school.jpg new file mode 100644 index 0000000..b14f6ec Binary files /dev/null and b/public/school_img/logo/downtown-high-school.jpg differ diff --git a/public/school_img/logo/dr-charles-r-drew-college-preparatory-academy.png b/public/school_img/logo/dr-charles-r-drew-college-preparatory-academy.png new file mode 100644 index 0000000..90f5fff Binary files /dev/null and b/public/school_img/logo/dr-charles-r-drew-college-preparatory-academy.png differ diff --git a/public/school_img/logo/dr-george-washington-carver-elementary-school.png b/public/school_img/logo/dr-george-washington-carver-elementary-school.png new file mode 100644 index 0000000..870d557 Binary files /dev/null and b/public/school_img/logo/dr-george-washington-carver-elementary-school.png differ diff --git a/public/school_img/logo/dr-martin-luther-king-jr-academic-middle-school.jpg b/public/school_img/logo/dr-martin-luther-king-jr-academic-middle-school.jpg new file mode 100644 index 0000000..c7f5029 Binary files /dev/null and b/public/school_img/logo/dr-martin-luther-king-jr-academic-middle-school.jpg differ diff --git a/public/school_img/logo/dr-william-l-cobb-elementary-school.png b/public/school_img/logo/dr-william-l-cobb-elementary-school.png new file mode 100644 index 0000000..f8c98cf Binary files /dev/null and b/public/school_img/logo/dr-william-l-cobb-elementary-school.png differ diff --git a/public/school_img/logo/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg b/public/school_img/logo/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg new file mode 100644 index 0000000..8d0b435 Binary files /dev/null and b/public/school_img/logo/edwin-and-anita-lee-newcomer-school-limengxiankanglixinyiminxuexiao.jpg differ diff --git a/public/school_img/logo/el-dorado-elementary-school.png b/public/school_img/logo/el-dorado-elementary-school.png new file mode 100644 index 0000000..2df9464 Binary files /dev/null and b/public/school_img/logo/el-dorado-elementary-school.png differ diff --git a/public/school_img/logo/er-taylor-elementary-school.png b/public/school_img/logo/er-taylor-elementary-school.png new file mode 100644 index 0000000..b42c95b Binary files /dev/null and b/public/school_img/logo/er-taylor-elementary-school.png differ diff --git a/public/school_img/logo/everett-middle-school.jpg b/public/school_img/logo/everett-middle-school.jpg new file mode 100644 index 0000000..3e39e00 Binary files /dev/null and b/public/school_img/logo/everett-middle-school.jpg differ diff --git a/public/school_img/logo/francis-scott-key-elementary-school.png b/public/school_img/logo/francis-scott-key-elementary-school.png new file mode 100644 index 0000000..0938566 Binary files /dev/null and b/public/school_img/logo/francis-scott-key-elementary-school.png differ diff --git a/public/school_img/logo/francisco-middle-school.jpg b/public/school_img/logo/francisco-middle-school.jpg new file mode 100644 index 0000000..7c578dc Binary files /dev/null and b/public/school_img/logo/francisco-middle-school.jpg differ diff --git a/public/school_img/logo/galileo-academy-science-technology.jpg b/public/school_img/logo/galileo-academy-science-technology.jpg new file mode 100644 index 0000000..76159c1 Binary files /dev/null and b/public/school_img/logo/galileo-academy-science-technology.jpg differ diff --git a/public/school_img/logo/george-peabody-elementary-school.jpg b/public/school_img/logo/george-peabody-elementary-school.jpg new file mode 100644 index 0000000..555b0c9 Binary files /dev/null and b/public/school_img/logo/george-peabody-elementary-school.jpg differ diff --git a/public/school_img/logo/george-r-moscone-elementary-school.png b/public/school_img/logo/george-r-moscone-elementary-school.png new file mode 100644 index 0000000..2657968 Binary files /dev/null and b/public/school_img/logo/george-r-moscone-elementary-school.png differ diff --git a/public/school_img/logo/george-washington-high-school.jpg b/public/school_img/logo/george-washington-high-school.jpg new file mode 100644 index 0000000..b835fe6 Binary files /dev/null and b/public/school_img/logo/george-washington-high-school.jpg differ diff --git a/public/school_img/logo/glen-park-elementary-school.jpg b/public/school_img/logo/glen-park-elementary-school.jpg new file mode 100644 index 0000000..c5d20e2 Binary files /dev/null and b/public/school_img/logo/glen-park-elementary-school.jpg differ diff --git a/public/school_img/logo/gordon-j-lau-elementary-school.png b/public/school_img/logo/gordon-j-lau-elementary-school.png new file mode 100644 index 0000000..7906e77 Binary files /dev/null and b/public/school_img/logo/gordon-j-lau-elementary-school.png differ diff --git a/public/school_img/logo/grattan-elementary-school.jpg b/public/school_img/logo/grattan-elementary-school.jpg new file mode 100644 index 0000000..c1017c1 Binary files /dev/null and b/public/school_img/logo/grattan-elementary-school.jpg differ diff --git a/public/school_img/logo/guadalupe-elementary-school.png b/public/school_img/logo/guadalupe-elementary-school.png new file mode 100644 index 0000000..2a74d2f Binary files /dev/null and b/public/school_img/logo/guadalupe-elementary-school.png differ diff --git a/public/school_img/logo/harvey-milk-civil-rights-academy.jpeg b/public/school_img/logo/harvey-milk-civil-rights-academy.jpeg new file mode 100644 index 0000000..bbca5d4 Binary files /dev/null and b/public/school_img/logo/harvey-milk-civil-rights-academy.jpeg differ diff --git a/public/school_img/logo/herbert-hoover-middle-school.png b/public/school_img/logo/herbert-hoover-middle-school.png new file mode 100644 index 0000000..cd564e2 Binary files /dev/null and b/public/school_img/logo/herbert-hoover-middle-school.png differ diff --git a/public/school_img/logo/hillcrest-elementary-school.png b/public/school_img/logo/hillcrest-elementary-school.png new file mode 100644 index 0000000..781bbbf Binary files /dev/null and b/public/school_img/logo/hillcrest-elementary-school.png differ diff --git a/public/school_img/logo/hilltop-el-camino-alternativo-schools.jpg b/public/school_img/logo/hilltop-el-camino-alternativo-schools.jpg new file mode 100644 index 0000000..4e5529d Binary files /dev/null and b/public/school_img/logo/hilltop-el-camino-alternativo-schools.jpg differ diff --git a/public/school_img/logo/ida-b-wells-high-school.png b/public/school_img/logo/ida-b-wells-high-school.png new file mode 100644 index 0000000..e0ca004 Binary files /dev/null and b/public/school_img/logo/ida-b-wells-high-school.png differ diff --git a/public/school_img/logo/independence-high-school.png b/public/school_img/logo/independence-high-school.png new file mode 100644 index 0000000..66d8714 Binary files /dev/null and b/public/school_img/logo/independence-high-school.png differ diff --git a/public/school_img/logo/james-denman-middle-school.png b/public/school_img/logo/james-denman-middle-school.png new file mode 100644 index 0000000..afd447b Binary files /dev/null and b/public/school_img/logo/james-denman-middle-school.png differ diff --git a/public/school_img/logo/james-lick-middle-school.png b/public/school_img/logo/james-lick-middle-school.png new file mode 100644 index 0000000..329d9c3 Binary files /dev/null and b/public/school_img/logo/james-lick-middle-school.png differ diff --git a/public/school_img/logo/jean-parker-elementary-school.jpg b/public/school_img/logo/jean-parker-elementary-school.jpg new file mode 100644 index 0000000..f79cd1e Binary files /dev/null and b/public/school_img/logo/jean-parker-elementary-school.jpg differ diff --git a/public/school_img/logo/jefferson-elementary-school.jpg b/public/school_img/logo/jefferson-elementary-school.jpg new file mode 100644 index 0000000..f52af85 Binary files /dev/null and b/public/school_img/logo/jefferson-elementary-school.jpg differ diff --git a/public/school_img/logo/john-mclaren-early-education-school.png b/public/school_img/logo/john-mclaren-early-education-school.png new file mode 100644 index 0000000..b67f7ae Binary files /dev/null and b/public/school_img/logo/john-mclaren-early-education-school.png differ diff --git a/public/school_img/logo/john-muir-elementary-school.png b/public/school_img/logo/john-muir-elementary-school.png new file mode 100644 index 0000000..42db7a9 Binary files /dev/null and b/public/school_img/logo/john-muir-elementary-school.png differ diff --git a/public/school_img/logo/john-oconnell-high-school.png b/public/school_img/logo/john-oconnell-high-school.png new file mode 100644 index 0000000..b3e49c1 Binary files /dev/null and b/public/school_img/logo/john-oconnell-high-school.png differ diff --git a/public/school_img/logo/jose-ortega-elementary-school.png b/public/school_img/logo/jose-ortega-elementary-school.png new file mode 100644 index 0000000..d022845 Binary files /dev/null and b/public/school_img/logo/jose-ortega-elementary-school.png differ diff --git a/public/school_img/logo/june-jordan-school-equity.png b/public/school_img/logo/june-jordan-school-equity.png new file mode 100644 index 0000000..8db3715 Binary files /dev/null and b/public/school_img/logo/june-jordan-school-equity.png differ diff --git a/public/school_img/logo/junipero-serra-elementary-school.jpg b/public/school_img/logo/junipero-serra-elementary-school.jpg new file mode 100644 index 0000000..0fab054 Binary files /dev/null and b/public/school_img/logo/junipero-serra-elementary-school.jpg differ diff --git a/public/school_img/logo/lafayette-elementary-school.jpg b/public/school_img/logo/lafayette-elementary-school.jpg new file mode 100644 index 0000000..f4cf1d8 Binary files /dev/null and b/public/school_img/logo/lafayette-elementary-school.jpg differ diff --git a/public/school_img/logo/lakeshore-alternative-elementary-school.gif b/public/school_img/logo/lakeshore-alternative-elementary-school.gif new file mode 100644 index 0000000..abbacd4 Binary files /dev/null and b/public/school_img/logo/lakeshore-alternative-elementary-school.gif differ diff --git a/public/school_img/logo/lawton-alternative-school-k-8.png b/public/school_img/logo/lawton-alternative-school-k-8.png new file mode 100644 index 0000000..c1ea0bc Binary files /dev/null and b/public/school_img/logo/lawton-alternative-school-k-8.png differ diff --git a/public/school_img/logo/leola-m-havard-early-education-school.png b/public/school_img/logo/leola-m-havard-early-education-school.png new file mode 100644 index 0000000..df24693 Binary files /dev/null and b/public/school_img/logo/leola-m-havard-early-education-school.png differ diff --git a/public/school_img/logo/leonard-r-flynn-elementary-school.jpeg b/public/school_img/logo/leonard-r-flynn-elementary-school.jpeg new file mode 100644 index 0000000..10732c0 Binary files /dev/null and b/public/school_img/logo/leonard-r-flynn-elementary-school.jpeg differ diff --git a/public/school_img/logo/longfellow-elementary-school.jpg b/public/school_img/logo/longfellow-elementary-school.jpg new file mode 100644 index 0000000..1a26e25 Binary files /dev/null and b/public/school_img/logo/longfellow-elementary-school.jpg differ diff --git a/public/school_img/logo/lowell-high-school.png b/public/school_img/logo/lowell-high-school.png new file mode 100644 index 0000000..f40503d Binary files /dev/null and b/public/school_img/logo/lowell-high-school.png differ diff --git a/public/school_img/logo/malcolm-x-academy-elementary-school.jpg b/public/school_img/logo/malcolm-x-academy-elementary-school.jpg new file mode 100644 index 0000000..9426034 Binary files /dev/null and b/public/school_img/logo/malcolm-x-academy-elementary-school.jpg differ diff --git a/public/school_img/logo/marina-middle-school.jpg b/public/school_img/logo/marina-middle-school.jpg new file mode 100644 index 0000000..a185889 Binary files /dev/null and b/public/school_img/logo/marina-middle-school.jpg differ diff --git a/public/school_img/logo/marshall-elementary-school.png b/public/school_img/logo/marshall-elementary-school.png new file mode 100644 index 0000000..8aa1995 Binary files /dev/null and b/public/school_img/logo/marshall-elementary-school.png differ diff --git a/public/school_img/logo/mccoppin.png b/public/school_img/logo/mccoppin.png new file mode 100644 index 0000000..a3e60c9 Binary files /dev/null and b/public/school_img/logo/mccoppin.png differ diff --git a/public/school_img/logo/mckinley-elementary-school.jpg b/public/school_img/logo/mckinley-elementary-school.jpg new file mode 100644 index 0000000..a944f18 Binary files /dev/null and b/public/school_img/logo/mckinley-elementary-school.jpg differ diff --git a/public/school_img/logo/miraloma-elementary-school.jpg b/public/school_img/logo/miraloma-elementary-school.jpg new file mode 100644 index 0000000..ddb8fa3 Binary files /dev/null and b/public/school_img/logo/miraloma-elementary-school.jpg differ diff --git a/public/school_img/logo/mission-education-center-elementary-school.jpg b/public/school_img/logo/mission-education-center-elementary-school.jpg new file mode 100644 index 0000000..0b1472e Binary files /dev/null and b/public/school_img/logo/mission-education-center-elementary-school.jpg differ diff --git a/public/school_img/logo/mission-high-school.png b/public/school_img/logo/mission-high-school.png new file mode 100644 index 0000000..d6dcf7a Binary files /dev/null and b/public/school_img/logo/mission-high-school.png differ diff --git a/public/school_img/logo/monroe-elementary-school.jpg b/public/school_img/logo/monroe-elementary-school.jpg new file mode 100644 index 0000000..3fdcb63 Binary files /dev/null and b/public/school_img/logo/monroe-elementary-school.jpg differ diff --git a/public/school_img/logo/paul-revere-prek-8-school.png b/public/school_img/logo/paul-revere-prek-8-school.png new file mode 100644 index 0000000..3f98b09 Binary files /dev/null and b/public/school_img/logo/paul-revere-prek-8-school.png differ diff --git a/public/school_img/logo/phillip-and-sala-burton-academic-high-school.jpg b/public/school_img/logo/phillip-and-sala-burton-academic-high-school.jpg new file mode 100644 index 0000000..8aaf790 Binary files /dev/null and b/public/school_img/logo/phillip-and-sala-burton-academic-high-school.jpg differ diff --git a/public/school_img/logo/presidio-middle-school.jpg b/public/school_img/logo/presidio-middle-school.jpg new file mode 100644 index 0000000..4de4d37 Binary files /dev/null and b/public/school_img/logo/presidio-middle-school.jpg differ diff --git a/public/school_img/logo/raoul-wallenberg-high-school.png b/public/school_img/logo/raoul-wallenberg-high-school.png new file mode 100644 index 0000000..3ab087d Binary files /dev/null and b/public/school_img/logo/raoul-wallenberg-high-school.png differ diff --git a/public/school_img/logo/robert-louis-stevenson-elementary-school.png b/public/school_img/logo/robert-louis-stevenson-elementary-school.png new file mode 100644 index 0000000..532d16d Binary files /dev/null and b/public/school_img/logo/robert-louis-stevenson-elementary-school.png differ diff --git a/public/school_img/logo/rooftop-school-tk-8.png b/public/school_img/logo/rooftop-school-tk-8.png new file mode 100644 index 0000000..2c4663b Binary files /dev/null and b/public/school_img/logo/rooftop-school-tk-8.png differ diff --git a/public/school_img/logo/rooftop-tk-8-school-mayeda-campus.png b/public/school_img/logo/rooftop-tk-8-school-mayeda-campus.png new file mode 100644 index 0000000..fb49c9d Binary files /dev/null and b/public/school_img/logo/rooftop-tk-8-school-mayeda-campus.png differ diff --git a/public/school_img/logo/roosevelt-middle-school.jpeg b/public/school_img/logo/roosevelt-middle-school.jpeg new file mode 100644 index 0000000..1119396 Binary files /dev/null and b/public/school_img/logo/roosevelt-middle-school.jpeg differ diff --git a/public/school_img/logo/rosa-parks-elementary-school.png b/public/school_img/logo/rosa-parks-elementary-school.png new file mode 100644 index 0000000..c9286e3 Binary files /dev/null and b/public/school_img/logo/rosa-parks-elementary-school.png differ diff --git a/public/school_img/logo/ruth-asawa-san-francisco-school-arts.jpg b/public/school_img/logo/ruth-asawa-san-francisco-school-arts.jpg new file mode 100644 index 0000000..2461704 Binary files /dev/null and b/public/school_img/logo/ruth-asawa-san-francisco-school-arts.jpg differ diff --git a/public/school_img/logo/san-francisco-international-high-school.png b/public/school_img/logo/san-francisco-international-high-school.png new file mode 100644 index 0000000..3ac3008 Binary files /dev/null and b/public/school_img/logo/san-francisco-international-high-school.png differ diff --git a/public/school_img/logo/san-francisco-public-montessori.png b/public/school_img/logo/san-francisco-public-montessori.png new file mode 100644 index 0000000..fe1cb21 Binary files /dev/null and b/public/school_img/logo/san-francisco-public-montessori.png differ diff --git a/public/school_img/logo/sanchez-elementary-school.jpg b/public/school_img/logo/sanchez-elementary-school.jpg new file mode 100644 index 0000000..a1d1430 Binary files /dev/null and b/public/school_img/logo/sanchez-elementary-school.jpg differ diff --git a/public/school_img/logo/sheridan-elementary-school.jpg b/public/school_img/logo/sheridan-elementary-school.jpg new file mode 100644 index 0000000..f4fff39 Binary files /dev/null and b/public/school_img/logo/sheridan-elementary-school.jpg differ diff --git a/public/school_img/logo/sherman-elementary-school.png b/public/school_img/logo/sherman-elementary-school.png new file mode 100644 index 0000000..07a7788 Binary files /dev/null and b/public/school_img/logo/sherman-elementary-school.png differ diff --git a/public/school_img/logo/spring-valley-science-elementary-school.png b/public/school_img/logo/spring-valley-science-elementary-school.png new file mode 100644 index 0000000..f701ada Binary files /dev/null and b/public/school_img/logo/spring-valley-science-elementary-school.png differ diff --git a/public/school_img/logo/starr-king-elementary-school.jpg b/public/school_img/logo/starr-king-elementary-school.jpg new file mode 100644 index 0000000..8249642 Binary files /dev/null and b/public/school_img/logo/starr-king-elementary-school.jpg differ diff --git a/public/school_img/logo/sunset-elementary-school.png b/public/school_img/logo/sunset-elementary-school.png new file mode 100644 index 0000000..5c55ab2 Binary files /dev/null and b/public/school_img/logo/sunset-elementary-school.png differ diff --git a/public/school_img/logo/sutro-elementary-school.png b/public/school_img/logo/sutro-elementary-school.png new file mode 100644 index 0000000..1abe4e3 Binary files /dev/null and b/public/school_img/logo/sutro-elementary-school.png differ diff --git a/public/school_img/logo/tenderloin-community-elementary-school.jpg b/public/school_img/logo/tenderloin-community-elementary-school.jpg new file mode 100644 index 0000000..2da0e97 Binary files /dev/null and b/public/school_img/logo/tenderloin-community-elementary-school.jpg differ diff --git a/public/school_img/logo/thurgood-marshall-academic-high-school.png b/public/school_img/logo/thurgood-marshall-academic-high-school.png new file mode 100644 index 0000000..819e175 Binary files /dev/null and b/public/school_img/logo/thurgood-marshall-academic-high-school.png differ diff --git a/public/school_img/logo/tule-elk-park-early-education-school.png b/public/school_img/logo/tule-elk-park-early-education-school.png new file mode 100644 index 0000000..b16c873 Binary files /dev/null and b/public/school_img/logo/tule-elk-park-early-education-school.png differ diff --git a/public/school_img/logo/ulloa-elementary-school.png b/public/school_img/logo/ulloa-elementary-school.png new file mode 100644 index 0000000..4b2d614 Binary files /dev/null and b/public/school_img/logo/ulloa-elementary-school.png differ diff --git a/public/school_img/logo/visitacion-valley-elementary-school.png b/public/school_img/logo/visitacion-valley-elementary-school.png new file mode 100644 index 0000000..5d3ad11 Binary files /dev/null and b/public/school_img/logo/visitacion-valley-elementary-school.png differ diff --git a/public/school_img/logo/visitacion-valley-middle-school.png b/public/school_img/logo/visitacion-valley-middle-school.png new file mode 100644 index 0000000..d8c2246 Binary files /dev/null and b/public/school_img/logo/visitacion-valley-middle-school.png differ diff --git a/public/school_img/logo/west-portal-elementary-school.jpg b/public/school_img/logo/west-portal-elementary-school.jpg new file mode 100644 index 0000000..401d32a Binary files /dev/null and b/public/school_img/logo/west-portal-elementary-school.jpg differ diff --git a/public/school_img/logo/willie-l-brown-jr-middle-school.png b/public/school_img/logo/willie-l-brown-jr-middle-school.png new file mode 100644 index 0000000..39043c6 Binary files /dev/null and b/public/school_img/logo/willie-l-brown-jr-middle-school.png differ diff --git a/public/school_img/logo/yick-wo-alternative-elementary-school.jpg b/public/school_img/logo/yick-wo-alternative-elementary-school.jpg new file mode 100644 index 0000000..1ca9909 Binary files /dev/null and b/public/school_img/logo/yick-wo-alternative-elementary-school.jpg differ diff --git a/public/school_img/logo/youth-chance-high-school.jpeg b/public/school_img/logo/youth-chance-high-school.jpeg new file mode 100644 index 0000000..85e5a79 Binary files /dev/null and b/public/school_img/logo/youth-chance-high-school.jpeg differ diff --git a/src/components/MapListCard.tsx b/src/components/MapListCard.tsx index 36c0ae6..f6a39e7 100644 --- a/src/components/MapListCard.tsx +++ b/src/components/MapListCard.tsx @@ -42,15 +42,15 @@ const MapListCard = ({ const { img, name, neighborhood } = school; - const students = school.metrics.find( - (metric) => metric.name == "Students Enrolled", - ); - const frl = school.metrics.find( - (metric) => metric.name == "Free/Reduced Lunch", - ); - const ell = school.metrics.find( - (metric) => metric.name == "English Language Learners", - ); + // const students = school.metrics.find( + // (metric) => metric.name == "Students Enrolled", + // ); + // const frl = school.metrics.find( + // (metric) => metric.name == "Free/Reduced Lunch", + // ); + // const ell = school.metrics.find( + // (metric) => metric.name == "English Language Learners", + // ); const learnMoreRef = useRef(null); @@ -128,7 +128,7 @@ const MapListCard = ({ }`} > School Image = ({ href={"/school?name=" + encodeURIComponent(school.name)} className="hidden md:inline" > - + diff --git a/src/pages/school.tsx b/src/pages/school.tsx index 309d0f1..cce5b05 100644 --- a/src/pages/school.tsx +++ b/src/pages/school.tsx @@ -41,7 +41,11 @@ const Profile: React.FC = (props) => {
{school.name = (props) => {